additional things
This commit is contained in:
113
main.py
113
main.py
@@ -58,6 +58,15 @@ class AdminUser(Base):
|
|||||||
password_hash = Column(String(255))
|
password_hash = Column(String(255))
|
||||||
created_at = Column(DateTime, default=datetime.utcnow)
|
created_at = Column(DateTime, default=datetime.utcnow)
|
||||||
|
|
||||||
|
# НОВАЯ МОДЕЛЬ: Настройки дашборда
|
||||||
|
class DashboardSettings(Base):
|
||||||
|
__tablename__ = "dashboard_settings"
|
||||||
|
|
||||||
|
id = Column(Integer, primary_key=True, index=True)
|
||||||
|
motd = Column(Text, default="Добро пожаловать в панель управления OldMarket!")
|
||||||
|
image_filename = Column(String(255), default="dashboard_default.jpg")
|
||||||
|
updated_at = Column(DateTime, default=datetime.utcnow)
|
||||||
|
|
||||||
# Создаем таблицы
|
# Создаем таблицы
|
||||||
Base.metadata.create_all(bind=engine)
|
Base.metadata.create_all(bind=engine)
|
||||||
|
|
||||||
@@ -67,6 +76,7 @@ app = FastAPI(title="OldMarket Server")
|
|||||||
os.makedirs("static/icons", exist_ok=True)
|
os.makedirs("static/icons", exist_ok=True)
|
||||||
os.makedirs("static/apks", exist_ok=True)
|
os.makedirs("static/apks", exist_ok=True)
|
||||||
os.makedirs("static/admin", exist_ok=True)
|
os.makedirs("static/admin", exist_ok=True)
|
||||||
|
os.makedirs("static/dashboard", exist_ok=True) # Новая папка для изображений дашборда
|
||||||
|
|
||||||
# Монтируем статические файлы
|
# Монтируем статические файлы
|
||||||
app.mount("/static", StaticFiles(directory="static"), name="static")
|
app.mount("/static", StaticFiles(directory="static"), name="static")
|
||||||
@@ -101,6 +111,17 @@ def create_default_admin(db: Session):
|
|||||||
db.commit()
|
db.commit()
|
||||||
print("Создан дефолтный администратор: admin / admin123")
|
print("Создан дефолтный администратор: admin / admin123")
|
||||||
|
|
||||||
|
# Создаем дефолтные настройки дашборда
|
||||||
|
def create_default_dashboard_settings(db: Session):
|
||||||
|
if db.query(DashboardSettings).count() == 0:
|
||||||
|
default_settings = DashboardSettings(
|
||||||
|
motd="Добро пожаловать в панель управления OldMarket!",
|
||||||
|
image_filename="dashboard_default.jpg"
|
||||||
|
)
|
||||||
|
db.add(default_settings)
|
||||||
|
db.commit()
|
||||||
|
print("Созданы дефолтные настройки дашборда")
|
||||||
|
|
||||||
# Сессии для аутентификации
|
# Сессии для аутентификации
|
||||||
sessions = {}
|
sessions = {}
|
||||||
|
|
||||||
@@ -256,6 +277,8 @@ def admin_logout():
|
|||||||
# Защищенные роуты админ-панели
|
# Защищенные роуты админ-панели
|
||||||
@app.get("/admin", response_class=HTMLResponse)
|
@app.get("/admin", response_class=HTMLResponse)
|
||||||
def admin_panel(request: Request, user: AdminUser = Depends(require_auth), db: Session = Depends(get_db)):
|
def admin_panel(request: Request, user: AdminUser = Depends(require_auth), db: Session = Depends(get_db)):
|
||||||
|
create_default_dashboard_settings(db)
|
||||||
|
|
||||||
apps_count = db.query(App).count()
|
apps_count = db.query(App).count()
|
||||||
reviews_count = db.query(Review).count()
|
reviews_count = db.query(Review).count()
|
||||||
|
|
||||||
@@ -263,12 +286,17 @@ def admin_panel(request: Request, user: AdminUser = Depends(require_auth), db: S
|
|||||||
total_downloads_result = db.query(func.sum(App.downloads)).scalar()
|
total_downloads_result = db.query(func.sum(App.downloads)).scalar()
|
||||||
total_downloads = total_downloads_result if total_downloads_result is not None else 0
|
total_downloads = total_downloads_result if total_downloads_result is not None else 0
|
||||||
|
|
||||||
|
# Получаем настройки дашборда
|
||||||
|
dashboard_settings = db.query(DashboardSettings).first()
|
||||||
|
|
||||||
return templates.TemplateResponse("admin.html", {
|
return templates.TemplateResponse("admin.html", {
|
||||||
"request": request,
|
"request": request,
|
||||||
"apps_count": apps_count,
|
"apps_count": apps_count,
|
||||||
"reviews_count": reviews_count,
|
"reviews_count": reviews_count,
|
||||||
"total_downloads": total_downloads,
|
"total_downloads": total_downloads,
|
||||||
"username": user.username
|
"username": user.username,
|
||||||
|
"motd": dashboard_settings.motd if dashboard_settings else "Добро пожаловать!",
|
||||||
|
"dashboard_image": dashboard_settings.image_filename if dashboard_settings else "dashboard_default.jpg"
|
||||||
})
|
})
|
||||||
|
|
||||||
@app.get("/admin/apps", response_class=HTMLResponse)
|
@app.get("/admin/apps", response_class=HTMLResponse)
|
||||||
@@ -294,6 +322,71 @@ def admin_reviews(request: Request, user: AdminUser = Depends(require_auth), db:
|
|||||||
"username": user.username
|
"username": user.username
|
||||||
})
|
})
|
||||||
|
|
||||||
|
# НОВЫЕ ENDPOINTS: Управление настройками дашборда
|
||||||
|
@app.get("/admin/dashboard-settings", response_class=HTMLResponse)
|
||||||
|
def dashboard_settings(request: Request, user: AdminUser = Depends(require_auth), db: Session = Depends(get_db)):
|
||||||
|
dashboard_settings = db.query(DashboardSettings).first()
|
||||||
|
return templates.TemplateResponse("dashboard_settings.html", {
|
||||||
|
"request": request,
|
||||||
|
"username": user.username,
|
||||||
|
"motd": dashboard_settings.motd if dashboard_settings else "",
|
||||||
|
"dashboard_image": dashboard_settings.image_filename if dashboard_settings else "dashboard_default.jpg"
|
||||||
|
})
|
||||||
|
|
||||||
|
@app.post("/api/admin/dashboard/motd")
|
||||||
|
def update_motd(
|
||||||
|
user: AdminUser = Depends(require_auth),
|
||||||
|
motd: str = Form(...),
|
||||||
|
db: Session = Depends(get_db)
|
||||||
|
):
|
||||||
|
dashboard_settings = db.query(DashboardSettings).first()
|
||||||
|
if not dashboard_settings:
|
||||||
|
dashboard_settings = DashboardSettings()
|
||||||
|
db.add(dashboard_settings)
|
||||||
|
|
||||||
|
dashboard_settings.motd = motd
|
||||||
|
dashboard_settings.updated_at = datetime.utcnow()
|
||||||
|
db.commit()
|
||||||
|
|
||||||
|
return {"message": "MOTD обновлен"}
|
||||||
|
|
||||||
|
@app.post("/api/admin/dashboard/image")
|
||||||
|
def update_dashboard_image(
|
||||||
|
user: AdminUser = Depends(require_auth),
|
||||||
|
image: UploadFile = File(...),
|
||||||
|
db: Session = Depends(get_db)
|
||||||
|
):
|
||||||
|
# Проверяем, что файл является изображением
|
||||||
|
if not image.content_type.startswith('image/'):
|
||||||
|
raise HTTPException(status_code=400, detail="Файл должен быть изображением")
|
||||||
|
|
||||||
|
# Генерируем уникальное имя файла
|
||||||
|
file_extension = os.path.splitext(image.filename)[1]
|
||||||
|
image_filename = f"dashboard_{int(datetime.now().timestamp())}{file_extension}"
|
||||||
|
image_path = f"static/dashboard/{image_filename}"
|
||||||
|
|
||||||
|
# Сохраняем изображение
|
||||||
|
contents = image.file.read()
|
||||||
|
with open(image_path, "wb") as f:
|
||||||
|
f.write(contents)
|
||||||
|
|
||||||
|
# Обновляем настройки дашборда
|
||||||
|
dashboard_settings = db.query(DashboardSettings).first()
|
||||||
|
if not dashboard_settings:
|
||||||
|
dashboard_settings = DashboardSettings()
|
||||||
|
db.add(dashboard_settings)
|
||||||
|
|
||||||
|
# Удаляем старое изображение если оно не дефолтное
|
||||||
|
if (dashboard_settings.image_filename != "dashboard_default.jpg" and
|
||||||
|
os.path.exists(f"static/dashboard/{dashboard_settings.image_filename}")):
|
||||||
|
os.remove(f"static/dashboard/{dashboard_settings.image_filename}")
|
||||||
|
|
||||||
|
dashboard_settings.image_filename = image_filename
|
||||||
|
dashboard_settings.updated_at = datetime.utcnow()
|
||||||
|
db.commit()
|
||||||
|
|
||||||
|
return {"message": "Изображение дашборда обновлено"}
|
||||||
|
|
||||||
# API для админ-панели (защищенные)
|
# API для админ-панели (защищенные)
|
||||||
@app.get("/api/admin/apps")
|
@app.get("/api/admin/apps")
|
||||||
def get_admin_apps(user: AdminUser = Depends(require_auth), db: Session = Depends(get_db)):
|
def get_admin_apps(user: AdminUser = Depends(require_auth), db: Session = Depends(get_db)):
|
||||||
@@ -490,7 +583,7 @@ def set_main_version(
|
|||||||
db.commit()
|
db.commit()
|
||||||
return {"message": f"Основная версия установлена на {version}"}
|
return {"message": f"Основная версия установлена на {version}"}
|
||||||
|
|
||||||
# Исправленный метод для добавления отзывов
|
# ИСПРАВЛЕННЫЙ МЕТОД: Добавление отзывов с правильным подсчетом
|
||||||
@app.post("/api/admin/reviews")
|
@app.post("/api/admin/reviews")
|
||||||
def create_review(
|
def create_review(
|
||||||
user: AdminUser = Depends(require_auth),
|
user: AdminUser = Depends(require_auth),
|
||||||
@@ -531,13 +624,17 @@ def create_review(
|
|||||||
user_id=1
|
user_id=1
|
||||||
)
|
)
|
||||||
db.add(db_review)
|
db.add(db_review)
|
||||||
|
db.commit()
|
||||||
|
|
||||||
|
# ИСПРАВЛЕНИЕ: Правильно подсчитываем количество отзывов для приложения
|
||||||
|
review_count = db.query(Review).filter(Review.app_id == app_id).count()
|
||||||
|
|
||||||
# Обновляем счетчик отзывов у приложения
|
# Обновляем счетчик отзывов у приложения
|
||||||
app = db.query(App).filter(App.id == app_id).first()
|
app = db.query(App).filter(App.id == app_id).first()
|
||||||
if app:
|
if app:
|
||||||
app.review_count = db.query(Review).filter(Review.app_id == app_id).count()
|
app.review_count = review_count
|
||||||
|
|
||||||
db.commit()
|
db.commit()
|
||||||
|
|
||||||
db.refresh(db_review)
|
db.refresh(db_review)
|
||||||
|
|
||||||
return {"message": "Отзыв создан", "review_id": db_review.id}
|
return {"message": "Отзыв создан", "review_id": db_review.id}
|
||||||
@@ -552,13 +649,17 @@ def delete_review(review_id: int, user: AdminUser = Depends(require_auth), db: S
|
|||||||
if review:
|
if review:
|
||||||
app_id = review.app_id
|
app_id = review.app_id
|
||||||
db.delete(review)
|
db.delete(review)
|
||||||
|
db.commit()
|
||||||
|
|
||||||
|
# ИСПРАВЛЕНИЕ: Правильно подсчитываем количество отзывов для приложения после удаления
|
||||||
|
review_count = db.query(Review).filter(Review.app_id == app_id).count()
|
||||||
|
|
||||||
# Обновляем счетчик отзывов у приложения
|
# Обновляем счетчик отзывов у приложения
|
||||||
app = db.query(App).filter(App.id == app_id).first()
|
app = db.query(App).filter(App.id == app_id).first()
|
||||||
if app:
|
if app:
|
||||||
app.review_count = db.query(Review).filter(Review.app_id == app_id).count()
|
app.review_count = review_count
|
||||||
|
|
||||||
db.commit()
|
db.commit()
|
||||||
|
|
||||||
return {"message": "Отзыв удален"}
|
return {"message": "Отзыв удален"}
|
||||||
|
|
||||||
if __name__ == "__main__":
|
if __name__ == "__main__":
|
||||||
|
|||||||
BIN
oldmarket.db
BIN
oldmarket.db
Binary file not shown.
BIN
static/dashboard/dashboard_1760771646.jpg
Normal file
BIN
static/dashboard/dashboard_1760771646.jpg
Normal file
Binary file not shown.
|
After Width: | Height: | Size: 206 KiB |
@@ -26,6 +26,13 @@
|
|||||||
margin-bottom: 30px;
|
margin-bottom: 30px;
|
||||||
text-align: center;
|
text-align: center;
|
||||||
}
|
}
|
||||||
|
.sidebar .user-info {
|
||||||
|
background: #34495e;
|
||||||
|
padding: 10px;
|
||||||
|
border-radius: 5px;
|
||||||
|
margin-bottom: 20px;
|
||||||
|
text-align: center;
|
||||||
|
}
|
||||||
.sidebar ul {
|
.sidebar ul {
|
||||||
list-style: none;
|
list-style: none;
|
||||||
}
|
}
|
||||||
@@ -52,6 +59,7 @@
|
|||||||
grid-template-columns: repeat(auto-fit, minmax(250px, 1fr));
|
grid-template-columns: repeat(auto-fit, minmax(250px, 1fr));
|
||||||
gap: 20px;
|
gap: 20px;
|
||||||
margin-top: 20px;
|
margin-top: 20px;
|
||||||
|
margin-bottom: 30px;
|
||||||
}
|
}
|
||||||
.card {
|
.card {
|
||||||
background: white;
|
background: white;
|
||||||
@@ -69,12 +77,89 @@
|
|||||||
font-weight: bold;
|
font-weight: bold;
|
||||||
color: #3498db;
|
color: #3498db;
|
||||||
}
|
}
|
||||||
.sidebar .user-info {
|
.motd-section {
|
||||||
background: #34495e;
|
background: white;
|
||||||
padding: 10px;
|
padding: 25px;
|
||||||
|
border-radius: 10px;
|
||||||
|
box-shadow: 0 2px 10px rgba(0,0,0,0.1);
|
||||||
|
margin-bottom: 30px;
|
||||||
|
}
|
||||||
|
.motd-header {
|
||||||
|
display: flex;
|
||||||
|
justify-content: space-between;
|
||||||
|
align-items: center;
|
||||||
|
margin-bottom: 15px;
|
||||||
|
}
|
||||||
|
.motd-content {
|
||||||
|
font-size: 1.1em;
|
||||||
|
line-height: 1.5;
|
||||||
|
color: #2c3e50;
|
||||||
|
}
|
||||||
|
.dashboard-image-section {
|
||||||
|
background: white;
|
||||||
|
padding: 25px;
|
||||||
|
border-radius: 10px;
|
||||||
|
box-shadow: 0 2px 10px rgba(0,0,0,0.1);
|
||||||
|
margin-bottom: 30px;
|
||||||
|
}
|
||||||
|
.dashboard-image {
|
||||||
|
max-width: 100%;
|
||||||
|
max-height: 400px;
|
||||||
|
border-radius: 8px;
|
||||||
|
margin-top: 15px;
|
||||||
|
}
|
||||||
|
.btn {
|
||||||
|
background: #3498db;
|
||||||
|
color: white;
|
||||||
|
padding: 10px 20px;
|
||||||
|
border: none;
|
||||||
border-radius: 5px;
|
border-radius: 5px;
|
||||||
margin-bottom: 20px;
|
cursor: pointer;
|
||||||
text-align: center;
|
text-decoration: none;
|
||||||
|
display: inline-block;
|
||||||
|
}
|
||||||
|
.btn:hover {
|
||||||
|
background: #2980b9;
|
||||||
|
}
|
||||||
|
.btn-success {
|
||||||
|
background: #27ae60;
|
||||||
|
}
|
||||||
|
.btn-success:hover {
|
||||||
|
background: #219a52;
|
||||||
|
}
|
||||||
|
.modal {
|
||||||
|
display: none;
|
||||||
|
position: fixed;
|
||||||
|
top: 0;
|
||||||
|
left: 0;
|
||||||
|
width: 100%;
|
||||||
|
height: 100%;
|
||||||
|
background: rgba(0,0,0,0.5);
|
||||||
|
z-index: 1000;
|
||||||
|
}
|
||||||
|
.modal-content {
|
||||||
|
background: white;
|
||||||
|
margin: 50px auto;
|
||||||
|
padding: 30px;
|
||||||
|
width: 80%;
|
||||||
|
max-width: 600px;
|
||||||
|
border-radius: 10px;
|
||||||
|
max-height: 80vh;
|
||||||
|
overflow-y: auto;
|
||||||
|
}
|
||||||
|
.form-group {
|
||||||
|
margin-bottom: 15px;
|
||||||
|
}
|
||||||
|
label {
|
||||||
|
display: block;
|
||||||
|
margin-bottom: 5px;
|
||||||
|
font-weight: bold;
|
||||||
|
}
|
||||||
|
input, textarea, select {
|
||||||
|
width: 100%;
|
||||||
|
padding: 8px;
|
||||||
|
border: 1px solid #ddd;
|
||||||
|
border-radius: 4px;
|
||||||
}
|
}
|
||||||
</style>
|
</style>
|
||||||
</head>
|
</head>
|
||||||
@@ -88,6 +173,7 @@
|
|||||||
<li><a href="/admin">Дашборд</a></li>
|
<li><a href="/admin">Дашборд</a></li>
|
||||||
<li><a href="/admin/apps">Управление приложениями</a></li>
|
<li><a href="/admin/apps">Управление приложениями</a></li>
|
||||||
<li><a href="/admin/reviews">Управление отзывами</a></li>
|
<li><a href="/admin/reviews">Управление отзывами</a></li>
|
||||||
|
<li><a href="/admin/dashboard-settings">Настройки дашборда</a></li>
|
||||||
<li><a href="/api/apps" target="_blank">API приложений</a></li>
|
<li><a href="/api/apps" target="_blank">API приложений</a></li>
|
||||||
<li><a href="/admin/logout">Выйти</a></li>
|
<li><a href="/admin/logout">Выйти</a></li>
|
||||||
</ul>
|
</ul>
|
||||||
@@ -97,52 +183,133 @@
|
|||||||
<h1>Дашборд админ-панели</h1>
|
<h1>Дашборд админ-панели</h1>
|
||||||
<p>Добро пожаловать в панель управления OldMarket</p>
|
<p>Добро пожаловать в панель управления OldMarket</p>
|
||||||
|
|
||||||
|
<!-- MOTD Section -->
|
||||||
|
<div class="motd-section">
|
||||||
|
<div class="motd-header">
|
||||||
|
<h2>Сообщение дня (MOTD)</h2>
|
||||||
|
<button class="btn" onclick="showMotdModal()">Изменить MOTD</button>
|
||||||
|
</div>
|
||||||
|
<div class="motd-content">
|
||||||
|
{{ motd }}
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
|
||||||
|
<!-- Dashboard Image Section -->
|
||||||
|
<div class="dashboard-image-section">
|
||||||
|
<div class="motd-header">
|
||||||
|
<h2>Изображение дашборда</h2>
|
||||||
|
<button class="btn" onclick="showImageModal()">Изменить изображение</button>
|
||||||
|
</div>
|
||||||
|
<img src="/static/dashboard/{{ dashboard_image }}" alt="Dashboard Image" class="dashboard-image">
|
||||||
|
</div>
|
||||||
|
|
||||||
<div class="dashboard-cards">
|
<div class="dashboard-cards">
|
||||||
<div class="card">
|
<div class="card">
|
||||||
<h3>Приложения</h3>
|
<h3>Приложения</h3>
|
||||||
<div class="number" id="apps-count">0</div>
|
<div class="number" id="apps-count">{{ apps_count }}</div>
|
||||||
<p>всего в каталоге</p>
|
<p>всего в каталоге</p>
|
||||||
</div>
|
</div>
|
||||||
<div class="card">
|
<div class="card">
|
||||||
<h3>Отзывы</h3>
|
<h3>Отзывы</h3>
|
||||||
<div class="number" id="reviews-count">0</div>
|
<div class="number" id="reviews-count">{{ reviews_count }}</div>
|
||||||
<p>всего отзывов</p>
|
<p>всего отзывов</p>
|
||||||
</div>
|
</div>
|
||||||
<div class="card">
|
<div class="card">
|
||||||
<h3>Загрузки</h3>
|
<h3>Загрузки</h3>
|
||||||
<div class="number" id="downloads-count">0</div>
|
<div class="number" id="downloads-count">{{ total_downloads }}</div>
|
||||||
<p>всего скачиваний</p>
|
<p>всего скачиваний</p>
|
||||||
</div>
|
</div>
|
||||||
</div>
|
</div>
|
||||||
</div>
|
</div>
|
||||||
|
|
||||||
|
<!-- Модальное окно для изменения MOTD -->
|
||||||
|
<div id="motdModal" class="modal">
|
||||||
|
<div class="modal-content">
|
||||||
|
<h2>Изменить сообщение дня (MOTD)</h2>
|
||||||
|
<form id="motdForm">
|
||||||
|
<div class="form-group">
|
||||||
|
<label>Сообщение:</label>
|
||||||
|
<textarea name="motd" rows="4" required>{{ motd }}</textarea>
|
||||||
|
</div>
|
||||||
|
<div class="form-group">
|
||||||
|
<button type="submit" class="btn">Сохранить</button>
|
||||||
|
<button type="button" class="btn" onclick="hideMotdModal()">Отмена</button>
|
||||||
|
</div>
|
||||||
|
</form>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
|
||||||
|
<!-- Модальное окно для изменения изображения -->
|
||||||
|
<div id="imageModal" class="modal">
|
||||||
|
<div class="modal-content">
|
||||||
|
<h2>Изменить изображение дашборда</h2>
|
||||||
|
<form id="imageForm" enctype="multipart/form-data">
|
||||||
|
<div class="form-group">
|
||||||
|
<label>Выберите изображение:</label>
|
||||||
|
<input type="file" name="image" accept="image/*" required>
|
||||||
|
</div>
|
||||||
|
<div class="form-group">
|
||||||
|
<button type="submit" class="btn">Загрузить</button>
|
||||||
|
<button type="button" class="btn" onclick="hideImageModal()">Отмена</button>
|
||||||
|
</div>
|
||||||
|
</form>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
|
||||||
<script>
|
<script>
|
||||||
// Загружаем статистику
|
function showMotdModal() {
|
||||||
async function loadStats() {
|
document.getElementById('motdModal').style.display = 'block';
|
||||||
|
}
|
||||||
|
|
||||||
|
function hideMotdModal() {
|
||||||
|
document.getElementById('motdModal').style.display = 'none';
|
||||||
|
}
|
||||||
|
|
||||||
|
function showImageModal() {
|
||||||
|
document.getElementById('imageModal').style.display = 'block';
|
||||||
|
}
|
||||||
|
|
||||||
|
function hideImageModal() {
|
||||||
|
document.getElementById('imageModal').style.display = 'none';
|
||||||
|
}
|
||||||
|
|
||||||
|
document.getElementById('motdForm').addEventListener('submit', async function(e) {
|
||||||
|
e.preventDefault();
|
||||||
|
|
||||||
|
const formData = new FormData(this);
|
||||||
|
|
||||||
try {
|
try {
|
||||||
const appsResponse = await fetch('/api/admin/apps');
|
const response = await fetch('/api/admin/dashboard/motd', {
|
||||||
const apps = await appsResponse.json();
|
method: 'POST',
|
||||||
|
body: formData
|
||||||
document.getElementById('apps-count').textContent = apps.length;
|
});
|
||||||
|
const result = await response.json();
|
||||||
let totalDownloads = 0;
|
alert(result.message);
|
||||||
let totalReviews = 0;
|
hideMotdModal();
|
||||||
|
location.reload();
|
||||||
apps.forEach(app => {
|
} catch (error) {
|
||||||
totalDownloads += app.downloads || 0;
|
alert('Ошибка при сохранении: ' + error);
|
||||||
// Для отзывов нужно сделать отдельный запрос, упростим
|
}
|
||||||
totalReviews += app.review_count || 0;
|
|
||||||
});
|
});
|
||||||
|
|
||||||
document.getElementById('downloads-count').textContent = totalDownloads;
|
document.getElementById('imageForm').addEventListener('submit', async function(e) {
|
||||||
document.getElementById('reviews-count').textContent = totalReviews;
|
e.preventDefault();
|
||||||
|
|
||||||
|
const formData = new FormData(this);
|
||||||
|
|
||||||
|
try {
|
||||||
|
const response = await fetch('/api/admin/dashboard/image', {
|
||||||
|
method: 'POST',
|
||||||
|
body: formData
|
||||||
|
});
|
||||||
|
const result = await response.json();
|
||||||
|
alert(result.message);
|
||||||
|
hideImageModal();
|
||||||
|
location.reload();
|
||||||
} catch (error) {
|
} catch (error) {
|
||||||
console.error('Error loading stats:', error);
|
alert('Ошибка при загрузке изображения: ' + error);
|
||||||
}
|
}
|
||||||
}
|
});
|
||||||
|
|
||||||
loadStats();
|
|
||||||
</script>
|
</script>
|
||||||
</body>
|
</body>
|
||||||
</html>
|
</html>
|
||||||
213
templates/dashboard_settings.html
Normal file
213
templates/dashboard_settings.html
Normal file
@@ -0,0 +1,213 @@
|
|||||||
|
<!DOCTYPE html>
|
||||||
|
<html lang="ru">
|
||||||
|
<head>
|
||||||
|
<meta charset="UTF-8">
|
||||||
|
<meta name="viewport" content="width=device-width, initial-scale=1.0">
|
||||||
|
<title>Настройки дашборда - OldMarket Admin</title>
|
||||||
|
<style>
|
||||||
|
* {
|
||||||
|
margin: 0;
|
||||||
|
padding: 0;
|
||||||
|
box-sizing: border-box;
|
||||||
|
}
|
||||||
|
body {
|
||||||
|
font-family: Arial, sans-serif;
|
||||||
|
background: #f5f5f5;
|
||||||
|
}
|
||||||
|
.sidebar {
|
||||||
|
width: 250px;
|
||||||
|
background: #2c3e50;
|
||||||
|
color: white;
|
||||||
|
height: 100vh;
|
||||||
|
position: fixed;
|
||||||
|
padding: 20px;
|
||||||
|
}
|
||||||
|
.sidebar h2 {
|
||||||
|
margin-bottom: 30px;
|
||||||
|
text-align: center;
|
||||||
|
}
|
||||||
|
.sidebar .user-info {
|
||||||
|
background: #34495e;
|
||||||
|
padding: 10px;
|
||||||
|
border-radius: 5px;
|
||||||
|
margin-bottom: 20px;
|
||||||
|
text-align: center;
|
||||||
|
}
|
||||||
|
.sidebar ul {
|
||||||
|
list-style: none;
|
||||||
|
}
|
||||||
|
.sidebar li {
|
||||||
|
margin: 15px 0;
|
||||||
|
}
|
||||||
|
.sidebar a {
|
||||||
|
color: white;
|
||||||
|
text-decoration: none;
|
||||||
|
padding: 10px;
|
||||||
|
display: block;
|
||||||
|
border-radius: 5px;
|
||||||
|
transition: background 0.3s;
|
||||||
|
}
|
||||||
|
.sidebar a:hover {
|
||||||
|
background: #34495e;
|
||||||
|
}
|
||||||
|
.content {
|
||||||
|
margin-left: 250px;
|
||||||
|
padding: 40px;
|
||||||
|
}
|
||||||
|
.settings-section {
|
||||||
|
background: white;
|
||||||
|
padding: 25px;
|
||||||
|
border-radius: 10px;
|
||||||
|
box-shadow: 0 2px 10px rgba(0,0,0,0.1);
|
||||||
|
margin-bottom: 30px;
|
||||||
|
}
|
||||||
|
.settings-header {
|
||||||
|
display: flex;
|
||||||
|
justify-content: space-between;
|
||||||
|
align-items: center;
|
||||||
|
margin-bottom: 15px;
|
||||||
|
}
|
||||||
|
.btn {
|
||||||
|
background: #3498db;
|
||||||
|
color: white;
|
||||||
|
padding: 10px 20px;
|
||||||
|
border: none;
|
||||||
|
border-radius: 5px;
|
||||||
|
cursor: pointer;
|
||||||
|
text-decoration: none;
|
||||||
|
display: inline-block;
|
||||||
|
}
|
||||||
|
.btn:hover {
|
||||||
|
background: #2980b9;
|
||||||
|
}
|
||||||
|
.form-group {
|
||||||
|
margin-bottom: 15px;
|
||||||
|
}
|
||||||
|
label {
|
||||||
|
display: block;
|
||||||
|
margin-bottom: 5px;
|
||||||
|
font-weight: bold;
|
||||||
|
}
|
||||||
|
input, textarea, select {
|
||||||
|
width: 100%;
|
||||||
|
padding: 8px;
|
||||||
|
border: 1px solid #ddd;
|
||||||
|
border-radius: 4px;
|
||||||
|
}
|
||||||
|
.dashboard-image {
|
||||||
|
max-width: 100%;
|
||||||
|
max-height: 400px;
|
||||||
|
border-radius: 8px;
|
||||||
|
margin-top: 15px;
|
||||||
|
}
|
||||||
|
.current-settings {
|
||||||
|
background: #f8f9fa;
|
||||||
|
padding: 15px;
|
||||||
|
border-radius: 5px;
|
||||||
|
margin-bottom: 20px;
|
||||||
|
}
|
||||||
|
</style>
|
||||||
|
</head>
|
||||||
|
<body>
|
||||||
|
<div class="sidebar">
|
||||||
|
<h2>OldMarket Admin</h2>
|
||||||
|
<div class="user-info">
|
||||||
|
Вы вошли как: <strong>{{ username }}</strong>
|
||||||
|
</div>
|
||||||
|
<ul>
|
||||||
|
<li><a href="/admin">Дашборд</a></li>
|
||||||
|
<li><a href="/admin/apps">Управление приложениями</a></li>
|
||||||
|
<li><a href="/admin/reviews">Управление отзывами</a></li>
|
||||||
|
<li><a href="/admin/dashboard-settings">Настройки дашборда</a></li>
|
||||||
|
<li><a href="/api/apps" target="_blank">API приложений</a></li>
|
||||||
|
<li><a href="/admin/logout">Выйти</a></li>
|
||||||
|
</ul>
|
||||||
|
</div>
|
||||||
|
|
||||||
|
<div class="content">
|
||||||
|
<h1>Настройки дашборда</h1>
|
||||||
|
<p>Управление сообщением дня и изображением на главной странице</p>
|
||||||
|
|
||||||
|
<!-- Текущие настройки -->
|
||||||
|
<div class="settings-section">
|
||||||
|
<h2>Текущие настройки</h2>
|
||||||
|
<div class="current-settings">
|
||||||
|
<p><strong>Текущее сообщение дня:</strong></p>
|
||||||
|
<p>{{ motd }}</p>
|
||||||
|
<p><strong>Текущее изображение:</strong></p>
|
||||||
|
<img src="/static/dashboard/{{ dashboard_image }}" alt="Dashboard Image" class="dashboard-image">
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
|
||||||
|
<!-- Изменение MOTD -->
|
||||||
|
<div class="settings-section">
|
||||||
|
<div class="settings-header">
|
||||||
|
<h2>Изменение сообщения дня (MOTD)</h2>
|
||||||
|
</div>
|
||||||
|
<form id="motdForm">
|
||||||
|
<div class="form-group">
|
||||||
|
<label>Сообщение дня:</label>
|
||||||
|
<textarea name="motd" rows="4" required>{{ motd }}</textarea>
|
||||||
|
</div>
|
||||||
|
<div class="form-group">
|
||||||
|
<button type="submit" class="btn">Сохранить MOTD</button>
|
||||||
|
</div>
|
||||||
|
</form>
|
||||||
|
</div>
|
||||||
|
|
||||||
|
<!-- Изменение изображения -->
|
||||||
|
<div class="settings-section">
|
||||||
|
<div class="settings-header">
|
||||||
|
<h2>Изменение изображения дашборда</h2>
|
||||||
|
</div>
|
||||||
|
<form id="imageForm" enctype="multipart/form-data">
|
||||||
|
<div class="form-group">
|
||||||
|
<label>Выберите новое изображение:</label>
|
||||||
|
<input type="file" name="image" accept="image/*" required>
|
||||||
|
</div>
|
||||||
|
<div class="form-group">
|
||||||
|
<button type="submit" class="btn">Загрузить изображение</button>
|
||||||
|
</div>
|
||||||
|
</form>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
|
||||||
|
<script>
|
||||||
|
document.getElementById('motdForm').addEventListener('submit', async function(e) {
|
||||||
|
e.preventDefault();
|
||||||
|
|
||||||
|
const formData = new FormData(this);
|
||||||
|
|
||||||
|
try {
|
||||||
|
const response = await fetch('/api/admin/dashboard/motd', {
|
||||||
|
method: 'POST',
|
||||||
|
body: formData
|
||||||
|
});
|
||||||
|
const result = await response.json();
|
||||||
|
alert(result.message);
|
||||||
|
location.reload();
|
||||||
|
} catch (error) {
|
||||||
|
alert('Ошибка при сохранении: ' + error);
|
||||||
|
}
|
||||||
|
});
|
||||||
|
|
||||||
|
document.getElementById('imageForm').addEventListener('submit', async function(e) {
|
||||||
|
e.preventDefault();
|
||||||
|
|
||||||
|
const formData = new FormData(this);
|
||||||
|
|
||||||
|
try {
|
||||||
|
const response = await fetch('/api/admin/dashboard/image', {
|
||||||
|
method: 'POST',
|
||||||
|
body: formData
|
||||||
|
});
|
||||||
|
const result = await response.json();
|
||||||
|
alert(result.message);
|
||||||
|
location.reload();
|
||||||
|
} catch (error) {
|
||||||
|
alert('Ошибка при загрузке изображения: ' + error);
|
||||||
|
}
|
||||||
|
});
|
||||||
|
</script>
|
||||||
|
</body>
|
||||||
|
</html>
|
||||||
Reference in New Issue
Block a user