Anton
1 year ago
53 changed files with 1595 additions and 140 deletions
@ -0,0 +1,16 @@ |
|||||||
|
""" |
||||||
|
ASGI config for adminpanel project. |
||||||
|
|
||||||
|
It exposes the ASGI callable as a module-level variable named ``application``. |
||||||
|
|
||||||
|
For more information on this file, see |
||||||
|
https://docs.djangoproject.com/en/4.2/howto/deployment/asgi/ |
||||||
|
""" |
||||||
|
|
||||||
|
import os |
||||||
|
|
||||||
|
from django.core.asgi import get_asgi_application |
||||||
|
|
||||||
|
os.environ.setdefault('DJANGO_SETTINGS_MODULE', 'adminpanel.settings') |
||||||
|
|
||||||
|
application = get_asgi_application() |
@ -0,0 +1,23 @@ |
|||||||
|
g_telegram_bot_api_token = '' |
||||||
|
# --------------------------------------------------------- |
||||||
|
# Файлы для настройки, которые не коммитятся в git |
||||||
|
telegram_bot_api_token_file_name = 'config_telegram_bot_api_token' |
||||||
|
# --------------------------------------------------------- |
||||||
|
# Дополнительные функции |
||||||
|
def GetFirstLineFromFile(a_FileName): |
||||||
|
f = open(a_FileName, 'r') |
||||||
|
result = f.readline() |
||||||
|
f.close() |
||||||
|
return result |
||||||
|
def GetAllLinesFromFile(a_FileName): |
||||||
|
f = open(a_FileName, 'r') |
||||||
|
result = f.readlines() |
||||||
|
f.close() |
||||||
|
return result |
||||||
|
# --------------------------------------------------------- |
||||||
|
# Основные функции |
||||||
|
def GetTelegramBotApiToken(): |
||||||
|
global g_telegram_bot_api_token |
||||||
|
if len(g_telegram_bot_api_token) == 0: |
||||||
|
g_telegram_bot_api_token = str().strip(GetFirstLineFromFile(telegram_bot_api_token_file_name)) |
||||||
|
return g_telegram_bot_api_token |
@ -0,0 +1,126 @@ |
|||||||
|
""" |
||||||
|
Django settings for adminpanel project. |
||||||
|
|
||||||
|
Generated by 'django-admin startproject' using Django 4.1.4. |
||||||
|
|
||||||
|
For more information on this file, see |
||||||
|
https://docs.djangoproject.com/en/4.1/topics/settings/ |
||||||
|
|
||||||
|
For the full list of settings and their values, see |
||||||
|
https://docs.djangoproject.com/en/4.1/ref/settings/ |
||||||
|
""" |
||||||
|
import os |
||||||
|
from pathlib import Path |
||||||
|
from dotenv import load_dotenv |
||||||
|
|
||||||
|
# Build paths inside the project like this: BASE_DIR / 'subdir'. |
||||||
|
BASE_DIR = Path(__file__).resolve().parent.parent |
||||||
|
|
||||||
|
# Quick-start development settings - unsuitable for production |
||||||
|
# See https://docs.djangoproject.com/en/4.1/howto/deployment/checklist/ |
||||||
|
|
||||||
|
# SECURITY WARNING: keep the secret key used in production secret! |
||||||
|
load_dotenv() |
||||||
|
SECRET_KEY = os.getenv('PLATFORM_ADMINPANEL_SECRET_KEY') |
||||||
|
|
||||||
|
# SECURITY WARNING: don't run with debug turned on in production! |
||||||
|
DEBUG = True |
||||||
|
|
||||||
|
ALLOWED_HOSTS = ['*'] |
||||||
|
|
||||||
|
# Application definition |
||||||
|
|
||||||
|
INSTALLED_APPS = [ |
||||||
|
'django.contrib.admin', |
||||||
|
'django.contrib.auth', |
||||||
|
'django.contrib.contenttypes', |
||||||
|
'django.contrib.sessions', |
||||||
|
'django.contrib.messages', |
||||||
|
'django.contrib.staticfiles', |
||||||
|
'adminpanelapp', |
||||||
|
|
||||||
|
] |
||||||
|
|
||||||
|
MIDDLEWARE = [ |
||||||
|
'django.middleware.security.SecurityMiddleware', |
||||||
|
'django.contrib.sessions.middleware.SessionMiddleware', |
||||||
|
'django.middleware.common.CommonMiddleware', |
||||||
|
'django.middleware.csrf.CsrfViewMiddleware', |
||||||
|
'django.contrib.auth.middleware.AuthenticationMiddleware', |
||||||
|
'django.contrib.messages.middleware.MessageMiddleware', |
||||||
|
'django.middleware.clickjacking.XFrameOptionsMiddleware', |
||||||
|
] |
||||||
|
|
||||||
|
ROOT_URLCONF = 'adminpanel.urls' |
||||||
|
|
||||||
|
TEMPLATES = [ |
||||||
|
{ |
||||||
|
'BACKEND': 'django.template.backends.django.DjangoTemplates', |
||||||
|
'DIRS': [], |
||||||
|
'APP_DIRS': True, |
||||||
|
'OPTIONS': { |
||||||
|
'context_processors': [ |
||||||
|
'django.template.context_processors.debug', |
||||||
|
'django.template.context_processors.request', |
||||||
|
'django.contrib.auth.context_processors.auth', |
||||||
|
'django.contrib.messages.context_processors.messages', |
||||||
|
], |
||||||
|
}, |
||||||
|
}, |
||||||
|
] |
||||||
|
|
||||||
|
WSGI_APPLICATION = 'adminpanel.wsgi.application' |
||||||
|
|
||||||
|
# Database |
||||||
|
# https://docs.djangoproject.com/en/4.1/ref/settings/#databases |
||||||
|
|
||||||
|
BASE_DIR = os.path.dirname(os.path.dirname(os.path.abspath(__file__))) |
||||||
|
DATABASES = { |
||||||
|
'default': { |
||||||
|
'ENGINE': 'django.db.backends.sqlite3', |
||||||
|
'NAME': os.path.join(BASE_DIR, 'bot.db'), |
||||||
|
} |
||||||
|
} |
||||||
|
|
||||||
|
|
||||||
|
# Password validation |
||||||
|
# https://docs.djangoproject.com/en/4.1/ref/settings/#auth-password-validators |
||||||
|
|
||||||
|
AUTH_PASSWORD_VALIDATORS = [ |
||||||
|
{ |
||||||
|
'NAME': 'django.contrib.auth.password_validation.UserAttributeSimilarityValidator', |
||||||
|
}, |
||||||
|
{ |
||||||
|
'NAME': 'django.contrib.auth.password_validation.MinimumLengthValidator', |
||||||
|
}, |
||||||
|
{ |
||||||
|
'NAME': 'django.contrib.auth.password_validation.CommonPasswordValidator', |
||||||
|
}, |
||||||
|
{ |
||||||
|
'NAME': 'django.contrib.auth.password_validation.NumericPasswordValidator', |
||||||
|
}, |
||||||
|
] |
||||||
|
|
||||||
|
# Internationalization |
||||||
|
# https://docs.djangoproject.com/en/4.1/topics/i18n/ |
||||||
|
|
||||||
|
LANGUAGE_CODE = 'ru' |
||||||
|
|
||||||
|
TIME_ZONE = 'UTC' |
||||||
|
|
||||||
|
USE_I18N = True |
||||||
|
|
||||||
|
USE_TZ = True |
||||||
|
|
||||||
|
# Static files (CSS, JavaScript, Images) |
||||||
|
# https://docs.djangoproject.com/en/4.1/howto/static-files/ |
||||||
|
|
||||||
|
STATIC_URL = 'static/' |
||||||
|
|
||||||
|
# Default primary key field type |
||||||
|
# https://docs.djangoproject.com/en/4.1/ref/settings/#default-auto-field |
||||||
|
|
||||||
|
DEFAULT_AUTO_FIELD = 'django.db.models.BigAutoField' |
||||||
|
|
||||||
|
ASGI_APPLICATION = 'adminpanelapp.asgi.application' |
||||||
|
ASYNC_MODE = 'django' |
@ -0,0 +1,11 @@ |
|||||||
|
from django.contrib import admin |
||||||
|
from django.urls import path, include |
||||||
|
from django.views.generic import RedirectView |
||||||
|
from django.conf import settings |
||||||
|
from django.conf.urls.static import static |
||||||
|
|
||||||
|
urlpatterns = [ |
||||||
|
path('admin/', admin.site.urls), |
||||||
|
path('', include('adminpanelapp.urls')), |
||||||
|
path('', RedirectView.as_view(url='/admin/adminpanelapp/orders'), name='') |
||||||
|
] |
@ -0,0 +1,15 @@ |
|||||||
|
""" |
||||||
|
WSGI config for adminpanel project. |
||||||
|
|
||||||
|
It exposes the WSGI callable as a module-level variable named ``application``. |
||||||
|
|
||||||
|
For more information on this file, see |
||||||
|
https://docs.djangoproject.com/en/4.2/howto/deployment/wsgi/ |
||||||
|
""" |
||||||
|
|
||||||
|
import os |
||||||
|
|
||||||
|
from django.core.wsgi import get_wsgi_application |
||||||
|
|
||||||
|
os.environ.setdefault('DJANGO_SETTINGS_MODULE', 'adminpanel.settings') |
||||||
|
application = get_wsgi_application() |
@ -0,0 +1,40 @@ |
|||||||
|
from django.http import HttpResponseRedirect |
||||||
|
from django.contrib.admin.helpers import ACTION_CHECKBOX_NAME |
||||||
|
from django.utils.safestring import mark_safe |
||||||
|
from .models import Orders |
||||||
|
|
||||||
|
from django.contrib import admin, messages |
||||||
|
from django.urls import reverse |
||||||
|
|
||||||
|
class OrdersAdmin(admin.ModelAdmin): |
||||||
|
list_display = ('orderName', 'orderCreateDateTime', 'orderDesc', 'orderAddress', 'show_photo', 'show_photopay') |
||||||
|
actions =['send_message'] |
||||||
|
exclude = ['orderAccess', 'userID', 'orderPhoto', 'orderPhotoPay'] |
||||||
|
|
||||||
|
def show_photo(self, obj): |
||||||
|
html = obj.get_photo_html() |
||||||
|
return mark_safe(html) |
||||||
|
|
||||||
|
show_photo.short_description = 'Фото' |
||||||
|
|
||||||
|
def show_photopay(self, obj): |
||||||
|
html = obj.get_photopay_html() |
||||||
|
return mark_safe(html) |
||||||
|
|
||||||
|
show_photopay.short_description = 'Чек' |
||||||
|
|
||||||
|
def send_message(orders, request, queryset): |
||||||
|
selected_objects = request.POST.getlist(ACTION_CHECKBOX_NAME) |
||||||
|
if len(selected_objects) != 1: |
||||||
|
messages.error(request, "Выберите только один объект") |
||||||
|
return |
||||||
|
|
||||||
|
selected_user_id = int(selected_objects[0]) |
||||||
|
obj = queryset.get(orderID=selected_user_id) |
||||||
|
user_id = obj.userID |
||||||
|
url = reverse('send_telegram_message', kwargs={'chat_id': user_id}) |
||||||
|
return HttpResponseRedirect(url) |
||||||
|
|
||||||
|
send_message.short_description = 'Отправка сообщения' |
||||||
|
|
||||||
|
admin.site.register(Orders, OrdersAdmin) |
@ -0,0 +1,5 @@ |
|||||||
|
from django.apps import AppConfig |
||||||
|
|
||||||
|
class AdminpanelappConfig(AppConfig): |
||||||
|
default_auto_field = 'django.db.models.BigAutoField' |
||||||
|
name = 'adminpanelapp' |
@ -0,0 +1,142 @@ |
|||||||
|
import time |
||||||
|
from urllib.parse import quote |
||||||
|
|
||||||
|
import requests |
||||||
|
from django.db import models |
||||||
|
|
||||||
|
from bot_sys.config import GetTelegramBotApiToken |
||||||
|
|
||||||
|
class Orders(models.Model): |
||||||
|
orderID = models.AutoField(primary_key=True, verbose_name='id заказа') |
||||||
|
userID = models.CharField(max_length=100, verbose_name='id пользователя в tg', null=True) |
||||||
|
orderName = models.CharField(max_length=100, verbose_name='наименование', null=True) |
||||||
|
orderDesc = models.TextField(verbose_name='описание', null=True) |
||||||
|
orderPhoto = models.ImageField(verbose_name='фото', null=True) |
||||||
|
orderPhotoPay = models.ImageField(verbose_name='чек') |
||||||
|
orderAddress = models.CharField(max_length=100, verbose_name='адрес доставки', blank=True, null=True) |
||||||
|
orderAccess = models.CharField(max_length=100, verbose_name='доступ', blank=True, null=True) |
||||||
|
orderCreateDateTime = models.DateTimeField(auto_now_add=True, null=True, verbose_name='дата и время создания') |
||||||
|
orderStatus = models.CharField(max_length=100, verbose_name='статус заказа', blank=True, null=True) |
||||||
|
|
||||||
|
def get_photo_html(self, width=100, height=100, large_width=400, large_height=400): |
||||||
|
file_id = self.orderPhoto |
||||||
|
token = GetTelegramBotApiToken() |
||||||
|
url = f"https://api.telegram.org/bot{token}/getFile?file_id={file_id}" |
||||||
|
|
||||||
|
response = requests.get(url) |
||||||
|
data = response.json() |
||||||
|
|
||||||
|
if data['ok']: |
||||||
|
file_path = data["result"]["file_path"] |
||||||
|
photo_url = f"https://api.telegram.org/file/bot{token}/{quote(file_path, safe='')}" |
||||||
|
|
||||||
|
html = f""" |
||||||
|
<html> |
||||||
|
<body> |
||||||
|
<img src="{photo_url}" width="{width}" height="{height}" class="small-photo"> |
||||||
|
<img src="{photo_url}" width="{large_width}" height="{large_height}" class="large-photo"> |
||||||
|
<a href="#" onclick="togglePhoto(event)" class="button">Увеличить фото</a> |
||||||
|
<script> |
||||||
|
function togglePhoto(event) {{ |
||||||
|
var toggleButton = event.target; |
||||||
|
var container = toggleButton.parentNode; |
||||||
|
var smallPhoto = container.querySelector(".small-photo"); |
||||||
|
var largePhoto = container.querySelector(".large-photo"); |
||||||
|
|
||||||
|
if (smallPhoto.style.display === "none") {{ |
||||||
|
smallPhoto.style.display = "block"; |
||||||
|
largePhoto.style.display = "none"; |
||||||
|
toggleButton.innerHTML = "Увеличить фото"; |
||||||
|
}} else {{ |
||||||
|
smallPhoto.style.display = "none"; |
||||||
|
largePhoto.style.display = "block"; |
||||||
|
toggleButton.innerHTML = "Уменьшить фото"; |
||||||
|
}} |
||||||
|
}} |
||||||
|
</script> |
||||||
|
<style> |
||||||
|
.large-photo {{ |
||||||
|
display: none; |
||||||
|
}} |
||||||
|
.button {{ |
||||||
|
display: inline-block; |
||||||
|
padding: 10px 20px; |
||||||
|
background-color: #4CAF50; |
||||||
|
color: white; |
||||||
|
text-align: center; |
||||||
|
text-decoration: none; |
||||||
|
font-size: 16px; |
||||||
|
border: none; |
||||||
|
border-radius: 5px; |
||||||
|
cursor: pointer; |
||||||
|
}} |
||||||
|
</style> |
||||||
|
</body> |
||||||
|
</html> |
||||||
|
""" |
||||||
|
return html |
||||||
|
|
||||||
|
|
||||||
|
def get_photopay_html(self, width=100, height=100, large_width=400, large_height=400): |
||||||
|
token = GetTelegramBotApiToken() |
||||||
|
file_id = self.orderPhotoPay |
||||||
|
url = f"https://api.telegram.org/bot{token}/getFile?file_id={file_id}" |
||||||
|
|
||||||
|
response = requests.get(url) |
||||||
|
data = response.json() |
||||||
|
|
||||||
|
if data['ok']: |
||||||
|
file_path = data["result"]["file_path"] |
||||||
|
photo_url = f"https://api.telegram.org/file/bot{token}/{quote(file_path, safe='')}" |
||||||
|
|
||||||
|
html = f""" |
||||||
|
<html> |
||||||
|
<body> |
||||||
|
<img src="{photo_url}" width="{width}" height="{height}" class="small-photo"> |
||||||
|
<img src="{photo_url}" width="{large_width}" height="{large_height}" class="large-photo"> |
||||||
|
<a href="#" onclick="togglePhoto(event)" class="button">Увеличить фото</a> |
||||||
|
<script> |
||||||
|
function togglePhoto(event) {{ |
||||||
|
var toggleButton = event.target; |
||||||
|
var container = toggleButton.parentNode; |
||||||
|
var smallPhoto = container.querySelector(".small-photo"); |
||||||
|
var largePhoto = container.querySelector(".large-photo"); |
||||||
|
|
||||||
|
if (smallPhoto.style.display === "none") {{ |
||||||
|
smallPhoto.style.display = "block"; |
||||||
|
largePhoto.style.display = "none"; |
||||||
|
toggleButton.innerHTML = "Увеличить фото"; |
||||||
|
}} else {{ |
||||||
|
smallPhoto.style.display = "none"; |
||||||
|
largePhoto.style.display = "block"; |
||||||
|
toggleButton.innerHTML = "Уменьшить фото"; |
||||||
|
}} |
||||||
|
}} |
||||||
|
</script> |
||||||
|
<style> |
||||||
|
.large-photo {{ |
||||||
|
display: none; |
||||||
|
}} |
||||||
|
.button {{ |
||||||
|
display: inline-block; |
||||||
|
padding: 10px 20px; |
||||||
|
background-color: #4CAF50; |
||||||
|
color: white; |
||||||
|
text-align: center; |
||||||
|
text-decoration: none; |
||||||
|
font-size: 16px; |
||||||
|
border: none; |
||||||
|
border-radius: 5px; |
||||||
|
cursor: pointer; |
||||||
|
}} |
||||||
|
</style> |
||||||
|
</body> |
||||||
|
</html> |
||||||
|
""" |
||||||
|
return html |
||||||
|
|
||||||
|
class Meta: |
||||||
|
|
||||||
|
verbose_name_plural = 'Заказы' |
||||||
|
managed = False |
||||||
|
db_table = 'orders' |
@ -0,0 +1,6 @@ |
|||||||
|
<form method="post"> |
||||||
|
{% csrf_token %} |
||||||
|
<label for="message">Сообщение:</label> |
||||||
|
<input type="text" chat_id="message" name="message"> |
||||||
|
<button type="submit">Отправить сообщение</button> |
||||||
|
</form> |
@ -0,0 +1,3 @@ |
|||||||
|
from django.test import TestCase |
||||||
|
|
||||||
|
# Create your tests here. |
@ -0,0 +1,6 @@ |
|||||||
|
from django.urls import path, include |
||||||
|
from .views import send_telegram_message |
||||||
|
|
||||||
|
urlpatterns = [ |
||||||
|
path('send_telegram_message/<int:chat_id>/', send_telegram_message, name='send_telegram_message'), |
||||||
|
] |
@ -0,0 +1,25 @@ |
|||||||
|
from django.contrib import messages |
||||||
|
from django.http import HttpResponseRedirect |
||||||
|
import requests |
||||||
|
from django.urls import reverse |
||||||
|
from django.shortcuts import render |
||||||
|
from bot_sys.config import GetTelegramBotApiToken |
||||||
|
|
||||||
|
def send_telegram_message(request, chat_id): |
||||||
|
if request.method == 'POST': |
||||||
|
message = request.POST.get('message') |
||||||
|
|
||||||
|
bot_token = GetTelegramBotApiToken() |
||||||
|
url = f'https://api.telegram.org/bot{bot_token}/sendMessage?text={message}&chat_id={chat_id}' |
||||||
|
|
||||||
|
response = requests.get(url) |
||||||
|
if response.status_code == 200: |
||||||
|
messages.success(request, "Сообщение успешно отправлено") |
||||||
|
back_url = reverse('') |
||||||
|
return HttpResponseRedirect(back_url) |
||||||
|
else: |
||||||
|
messages.error(request, "Сообщение не отправлено") |
||||||
|
back_url = reverse('') |
||||||
|
return HttpResponseRedirect(back_url) |
||||||
|
else: |
||||||
|
return render(request, 'send_telegram_message.html') |
@ -0,0 +1,120 @@ |
|||||||
|
<!DOCTYPE html> |
||||||
|
<html> |
||||||
|
<head> |
||||||
|
<meta http-equiv="content-type" content="text/html; charset=utf-8"/> |
||||||
|
<title></title> |
||||||
|
<meta name="generator" content="LibreOffice 7.3.6.2 (Linux)"/> |
||||||
|
<meta name="created" content="00:00:00"/> |
||||||
|
<meta name="changed" content="2023-10-31T15:50:17.206169759"/> |
||||||
|
<style type="text/css"> |
||||||
|
@page { size: 21cm 29.7cm; margin: 2cm } |
||||||
|
p { line-height: 115%; margin-bottom: 0.25cm; background: transparent } |
||||||
|
td p { orphans: 0; widows: 0; background: transparent } |
||||||
|
a:link { color: #000080; so-language: zxx; text-decoration: underline } |
||||||
|
a:visited { color: #800000; so-language: zxx; text-decoration: underline } |
||||||
|
</style> |
||||||
|
</head> |
||||||
|
<body lang="ru-RU" link="#000080" vlink="#800000" dir="ltr"><p style="line-height: 100%; margin-bottom: 0cm"> |
||||||
|
<br/> |
||||||
|
|
||||||
|
</p> |
||||||
|
<p align="center" style="line-height: 100%; margin-bottom: 0cm"><font size="5" style="font-size: 18pt"><b>Регистрационные |
||||||
|
данные</b></font></p> |
||||||
|
<p style="line-height: 100%; margin-bottom: 0cm"><br/> |
||||||
|
|
||||||
|
</p> |
||||||
|
<p style="line-height: 100%; margin-bottom: 0cm"><br/> |
||||||
|
|
||||||
|
</p> |
||||||
|
<table width="616" cellpadding="0" cellspacing="0" style="page-break-before: auto; page-break-after: auto"> |
||||||
|
<col width="305"/> |
||||||
|
|
||||||
|
<col width="311"/> |
||||||
|
|
||||||
|
<tr valign="top"> |
||||||
|
<td width="305" style="border: none; padding: 0cm"><p align="justify"> |
||||||
|
<b>ID пользователя</b></p> |
||||||
|
</td> |
||||||
|
<td width="311" style="border: none; padding: 0cm"><p align="justify"> |
||||||
|
TableFieldDestiny.USER_ID |
||||||
|
</p> |
||||||
|
</td> |
||||||
|
</tr> |
||||||
|
<tr valign="top"> |
||||||
|
<td width="305" style="border: none; padding: 0cm"><p align="justify"> |
||||||
|
<b>Имя</b></p> |
||||||
|
</td> |
||||||
|
<td width="311" style="border: none; padding: 0cm"><p align="justify"> |
||||||
|
TableFieldDestiny.USER_NAME</p> |
||||||
|
</td> |
||||||
|
</tr> |
||||||
|
<tr valign="top"> |
||||||
|
<td width="305" style="border: none; padding: 0cm"><p align="justify"> |
||||||
|
<b>Фамилия</b></p> |
||||||
|
</td> |
||||||
|
<td width="311" style="border: none; padding: 0cm"><p align="justify"> |
||||||
|
TableFieldDestiny.USER_FAMILY_NAME</p> |
||||||
|
</td> |
||||||
|
</tr> |
||||||
|
<tr valign="top"> |
||||||
|
<td width="305" style="border: none; padding: 0cm"><p align="justify"> |
||||||
|
<b>Отчество</b></p> |
||||||
|
</td> |
||||||
|
<td width="311" style="border: none; padding: 0cm"><p align="justify"> |
||||||
|
TableFieldDestiny.USER_MIDDLE_NAME</p> |
||||||
|
</td> |
||||||
|
</tr> |
||||||
|
<tr valign="top"> |
||||||
|
<td width="305" style="border: none; padding: 0cm"><p align="justify"> |
||||||
|
<b>Дата рождения</b></p> |
||||||
|
</td> |
||||||
|
<td width="311" style="border: none; padding: 0cm"><p align="justify"> |
||||||
|
TableFieldDestiny.USER_BIRTHDAY</p> |
||||||
|
</td> |
||||||
|
</tr> |
||||||
|
<tr valign="top"> |
||||||
|
<td width="305" style="border: none; padding: 0cm"><p align="justify"> |
||||||
|
<b>Адрес</b></p> |
||||||
|
</td> |
||||||
|
<td width="311" style="border: none; padding: 0cm"><p align="justify"> |
||||||
|
TableFieldDestiny.USER_ADDRESS</p> |
||||||
|
</td> |
||||||
|
</tr> |
||||||
|
<tr valign="top"> |
||||||
|
<td width="305" style="border: none; padding: 0cm"><p align="justify"> |
||||||
|
<b>Контакты</b></p> |
||||||
|
</td> |
||||||
|
<td width="311" style="border: none; padding: 0cm"><p align="justify"> |
||||||
|
TableFieldDestiny.USER_CONTACTS</p> |
||||||
|
</td> |
||||||
|
</tr> |
||||||
|
<tr valign="top"> |
||||||
|
<td width="305" style="border: none; padding: 0cm"><p align="justify"> |
||||||
|
<b>Подтверждение</b></p> |
||||||
|
</td> |
||||||
|
<td width="311" style="border: none; padding: 0cm"><p align="justify"> |
||||||
|
TableFieldDestiny.USER_CONFIRM</p> |
||||||
|
</td> |
||||||
|
</tr> |
||||||
|
<tr valign="top"> |
||||||
|
<td width="305" style="border: none; padding: 0cm"><p align="justify"> |
||||||
|
<b>Доступ</b></p> |
||||||
|
</td> |
||||||
|
<td width="311" style="border: none; padding: 0cm"><p align="justify"> |
||||||
|
TableFieldDestiny.ACCESS</p> |
||||||
|
</td> |
||||||
|
</tr> |
||||||
|
<tr valign="top"> |
||||||
|
<td width="305" style="border: none; padding: 0cm"><p align="justify"> |
||||||
|
<b>Дата создания записи</b></p> |
||||||
|
</td> |
||||||
|
<td width="311" style="border: none; padding: 0cm"><p align="justify"> |
||||||
|
TableFieldDestiny.CREATE_DATE</p> |
||||||
|
</td> |
||||||
|
</tr> |
||||||
|
</table> |
||||||
|
<p style="line-height: 100%; margin-bottom: 0cm"><br/> |
||||||
|
|
||||||
|
</p> |
||||||
|
</body> |
||||||
|
</html> |
Binary file not shown.
@ -0,0 +1,397 @@ |
|||||||
|
# -*- coding: utf8 -*- |
||||||
|
# Общественное достояние, 2023, Алексей Безбородов (Alexei Bezborodov) <AlexeiBv+mirocod_platform_bot@narod.ru> |
||||||
|
|
||||||
|
# Авторизация или регистрация в кооперативе или другой организации |
||||||
|
|
||||||
|
from bot_sys import bot_bd, keyboard, user_access, bd_table, bot_subscribes, config |
||||||
|
from bot_modules import mod_table_operate, mod_simple_message, users_groups_agregator, groups_utils |
||||||
|
from template import docs_message, bd_item, bd_item_select |
||||||
|
|
||||||
|
from enum import Enum |
||||||
|
from enum import auto |
||||||
|
# --------------------------------------------------------- |
||||||
|
# БД |
||||||
|
module_name = 'authorize' |
||||||
|
|
||||||
|
table_name = module_name |
||||||
|
user_id_field = 'userID' |
||||||
|
user_name_field = 'userName' |
||||||
|
user_family_name_field = 'userFamilyName' |
||||||
|
user_middle_name_field = 'userMiddleName' |
||||||
|
user_birthday_field = 'userBirthday' |
||||||
|
user_address_field = 'userAddress' |
||||||
|
user_contacts_field = 'userContacts' |
||||||
|
user_confirm_field = 'userConfirm' |
||||||
|
user_auth_docs_field = 'authDocs' |
||||||
|
user_photo_pay_field = 'photoPay' |
||||||
|
access_field = 'authorizeAccess' |
||||||
|
create_datetime_field = 'authorizeCreateDateTime' |
||||||
|
|
||||||
|
user_id_table_field = bd_table.TableField(user_id_field, bd_table.TableFieldDestiny.USER_ID, bd_table.TableFieldType.INT) |
||||||
|
|
||||||
|
class ConfirmStatus(Enum): |
||||||
|
YES = auto() |
||||||
|
NO = auto() |
||||||
|
|
||||||
|
table = bd_table.Table(table_name, [ |
||||||
|
user_id_table_field, |
||||||
|
bd_table.TableField(user_name_field, bd_table.TableFieldDestiny.USER_NAME, bd_table.TableFieldType.STR), |
||||||
|
bd_table.TableField(user_family_name_field, bd_table.TableFieldDestiny.USER_FAMILY_NAME, bd_table.TableFieldType.STR), |
||||||
|
bd_table.TableField(user_middle_name_field, bd_table.TableFieldDestiny.USER_MIDDLE_NAME, bd_table.TableFieldType.STR), |
||||||
|
bd_table.TableField(user_birthday_field, bd_table.TableFieldDestiny.USER_BIRTHDAY, bd_table.TableFieldType.STR), |
||||||
|
bd_table.TableField(user_address_field, bd_table.TableFieldDestiny.USER_ADDRESS, bd_table.TableFieldType.STR), |
||||||
|
bd_table.TableField(user_contacts_field, bd_table.TableFieldDestiny.USER_CONTACTS, bd_table.TableFieldType.STR), |
||||||
|
bd_table.TableField(user_confirm_field, bd_table.TableFieldDestiny.USER_CONFIRM, bd_table.TableFieldType.ENUM, a_Enum = ConfirmStatus), |
||||||
|
bd_table.TableField(user_auth_docs_field, bd_table.TableFieldDestiny.AUTH_PHOTO_DOCS, bd_table.TableFieldType.PHOTO), |
||||||
|
bd_table.TableField(user_photo_pay_field, bd_table.TableFieldDestiny.PHOTO_PAY, bd_table.TableFieldType.PHOTO), |
||||||
|
bd_table.TableField(access_field, bd_table.TableFieldDestiny.ACCESS, bd_table.TableFieldType.STR), |
||||||
|
bd_table.TableField(create_datetime_field, bd_table.TableFieldDestiny.CREATE_DATE, bd_table.TableFieldType.STR), |
||||||
|
] |
||||||
|
, |
||||||
|
[ |
||||||
|
[user_id_table_field], |
||||||
|
] |
||||||
|
) |
||||||
|
|
||||||
|
init_access = f'{user_access.user_access_group_new}=vea' |
||||||
|
def_init_access = f'{user_access.user_access_group_new}=a' |
||||||
|
|
||||||
|
def GetAuthorizeItem(a_Bot, a_UserID): |
||||||
|
items = bd_item.GetBDItemsTemplate(a_Bot, table_name, user_id_field)(a_UserID) |
||||||
|
if len(items) == 1: |
||||||
|
return items[0] |
||||||
|
return None |
||||||
|
|
||||||
|
# --------------------------------------------------------- |
||||||
|
# Сообщения и кнопки |
||||||
|
|
||||||
|
class ButtonNames(Enum): |
||||||
|
LIST_AUTH_DOCS = auto() |
||||||
|
|
||||||
|
button_names = { |
||||||
|
mod_simple_message.ButtonNames.START: "🔑 Авторизация", |
||||||
|
mod_table_operate.ButtonNames.LIST: "≣ Список авторизаций пользователей", |
||||||
|
mod_table_operate.ButtonNames.ADD: "📨 Заявка на вступление", |
||||||
|
ButtonNames.LIST_AUTH_DOCS: "📨 Регистрационные документы", |
||||||
|
mod_table_operate.ButtonNames.EDIT: "🛠 Редактировать свои данные", |
||||||
|
mod_table_operate.EditButton(bd_table.TableFieldDestiny.USER_ID): "☐ Изменить id пользователя", |
||||||
|
mod_table_operate.EditButton(bd_table.TableFieldDestiny.USER_NAME): "☐ Изменить имя пользователя", |
||||||
|
mod_table_operate.EditButton(bd_table.TableFieldDestiny.USER_FAMILY_NAME): "☐ Изменить фамилию пользователя", |
||||||
|
mod_table_operate.EditButton(bd_table.TableFieldDestiny.USER_MIDDLE_NAME): "☐ Изменить отчество пользователя", |
||||||
|
mod_table_operate.EditButton(bd_table.TableFieldDestiny.USER_BIRTHDAY): "☐ Изменить дату рождения пользователя", |
||||||
|
mod_table_operate.EditButton(bd_table.TableFieldDestiny.USER_ADDRESS): "☐ Изменить адрес пользователя", |
||||||
|
mod_table_operate.EditButton(bd_table.TableFieldDestiny.USER_CONTACTS): "☐ Изменить контакты пользователя", |
||||||
|
mod_table_operate.EditButton(bd_table.TableFieldDestiny.USER_CONFIRM): "☐ Изменить подтверждение пользователя", |
||||||
|
mod_table_operate.EditButton(bd_table.TableFieldDestiny.USER_ID): "☐ Изменить id пользователя", |
||||||
|
mod_table_operate.EditButton(bd_table.TableFieldDestiny.ACCESS): "✋ Доступ к авторизации пользователя", |
||||||
|
mod_table_operate.EditButton(bd_table.TableFieldDestiny.AUTH_PHOTO_DOCS): "☐ Загрузить подписанные документы", |
||||||
|
mod_table_operate.EditButton(bd_table.TableFieldDestiny.PHOTO_PAY): "☐ Оплатить членский взнос", |
||||||
|
mod_table_operate.EditButton(bd_table.TableFieldDestiny.ACCESS): "✋ Доступ к авторизации пользователя", |
||||||
|
mod_table_operate.ButtonNames.DEL: "❌ Удалить авторизацию пользователя", |
||||||
|
mod_table_operate.EnumButton(ConfirmStatus.YES): "Да, все данные верны", |
||||||
|
mod_table_operate.EnumButton(ConfirmStatus.NO): "Нет, данные не верны", |
||||||
|
} |
||||||
|
|
||||||
|
class Messages(Enum): |
||||||
|
LIST_AUTH_DOCS = auto() |
||||||
|
LIST_AUTH_DOCS_ERROR = auto() |
||||||
|
|
||||||
|
messages = { |
||||||
|
mod_simple_message.Messages.START: f''' |
||||||
|
<b>{button_names[mod_simple_message.ButtonNames.START]}</b> |
||||||
|
|
||||||
|
''', |
||||||
|
Messages.LIST_AUTH_DOCS: ''' |
||||||
|
ваши регистрационные документы: |
||||||
|
''', |
||||||
|
Messages.LIST_AUTH_DOCS_ERROR: ''' |
||||||
|
Ошибка получения документов. Обратитесь в техподдержку. |
||||||
|
''', |
||||||
|
mod_table_operate.Messages.SELECT: ''' |
||||||
|
Пожалуйста, выберите пользователя: |
||||||
|
''', |
||||||
|
mod_table_operate.Messages.ERROR_FIND: ''' |
||||||
|
❌ Ошибка, пользователь не найден |
||||||
|
''', |
||||||
|
mod_table_operate.Messages.OPEN: f''' |
||||||
|
<b>Пользователь: #{user_id_field}</b> |
||||||
|
|
||||||
|
Имя: #{user_name_field} |
||||||
|
Фамилия: #{user_family_name_field} |
||||||
|
Отчество: #{user_middle_name_field} |
||||||
|
Дата рождения: #{user_birthday_field} |
||||||
|
Адрес: #{user_address_field} |
||||||
|
Контакты: #{user_contacts_field} |
||||||
|
Подтверждение авторизации: #{user_confirm_field} |
||||||
|
|
||||||
|
Время создания: #{create_datetime_field} |
||||||
|
''', |
||||||
|
mod_table_operate.CreateMessage(bd_table.TableFieldDestiny.USER_NAME): ''' |
||||||
|
Авторизация. Шаг №1 |
||||||
|
|
||||||
|
Введите своё имя: |
||||||
|
''', |
||||||
|
mod_table_operate.CreateMessage(bd_table.TableFieldDestiny.USER_FAMILY_NAME): ''' |
||||||
|
Авторизация. Шаг №2 |
||||||
|
|
||||||
|
Введите свою фамилию: |
||||||
|
''', |
||||||
|
mod_table_operate.CreateMessage(bd_table.TableFieldDestiny.USER_MIDDLE_NAME): ''' |
||||||
|
Авторизация. Шаг №3 |
||||||
|
|
||||||
|
Введите своё отчество: |
||||||
|
''', |
||||||
|
mod_table_operate.CreateMessage(bd_table.TableFieldDestiny.USER_BIRTHDAY): ''' |
||||||
|
Авторизация. Шаг №4 |
||||||
|
|
||||||
|
Введите свою дату рождения в формате ДД.ММ.ГГГГ: |
||||||
|
''', |
||||||
|
mod_table_operate.CreateMessage(bd_table.TableFieldDestiny.USER_ADDRESS): ''' |
||||||
|
Авторизация. Шаг №5 |
||||||
|
|
||||||
|
Введите свой домашний адрес: |
||||||
|
''', |
||||||
|
mod_table_operate.CreateMessage(bd_table.TableFieldDestiny.USER_CONTACTS): ''' |
||||||
|
Авторизация. Шаг №6 |
||||||
|
|
||||||
|
Введите свои контакты: |
||||||
|
''', |
||||||
|
mod_table_operate.CreateMessage(bd_table.TableFieldDestiny.USER_CONFIRM): f''' |
||||||
|
Авторизация. Шаг №7 |
||||||
|
|
||||||
|
Имя: #{user_name_field} |
||||||
|
Фамилия: #{user_family_name_field} |
||||||
|
Отчество: #{user_middle_name_field} |
||||||
|
Дата рождения: #{user_birthday_field} |
||||||
|
Адрес: #{user_address_field} |
||||||
|
Контакты: #{user_contacts_field} |
||||||
|
Подтверждение авторизации: #{user_confirm_field} |
||||||
|
|
||||||
|
Подтвердите свои данные: |
||||||
|
''', |
||||||
|
|
||||||
|
mod_table_operate.Messages.SUCCESS_CREATE: '''✅ Вы успешно зарегистрированы! Посмотрите документы и отправьте фотографии подписанных документов''', |
||||||
|
mod_table_operate.Messages.START_EDIT: ''' |
||||||
|
Пожалуйста, выберите действие: |
||||||
|
''', |
||||||
|
mod_table_operate.Messages.SELECT_TO_EDIT: ''' |
||||||
|
Выберите пользователя, у которого вы хотите отредактировать данные. |
||||||
|
''', |
||||||
|
mod_table_operate.EditMessage(bd_table.TableFieldDestiny.USER_NAME): f''' |
||||||
|
Текущее имя пользователя: |
||||||
|
#{user_name_field} |
||||||
|
|
||||||
|
Введите новое имя пользователя: |
||||||
|
''', |
||||||
|
mod_table_operate.EditMessage(bd_table.TableFieldDestiny.USER_FAMILY_NAME): f''' |
||||||
|
Текущая фамилия пользователя: |
||||||
|
#{user_family_name_field} |
||||||
|
|
||||||
|
Введите новую фамилию пользователя: |
||||||
|
''', |
||||||
|
mod_table_operate.EditMessage(bd_table.TableFieldDestiny.USER_MIDDLE_NAME): f''' |
||||||
|
Текущее отчество пользователя: |
||||||
|
#{user_middle_name_field} |
||||||
|
|
||||||
|
Введите новое отчество пользователя: |
||||||
|
''', |
||||||
|
mod_table_operate.EditMessage(bd_table.TableFieldDestiny.USER_BIRTHDAY): f''' |
||||||
|
Текущая дата рождения пользователя: |
||||||
|
#{user_birthday_field} |
||||||
|
|
||||||
|
Введите новую дату рождения пользователя: |
||||||
|
''', |
||||||
|
mod_table_operate.EditMessage(bd_table.TableFieldDestiny.USER_ADDRESS): f''' |
||||||
|
Текущий адрес пользователя: |
||||||
|
#{user_address_field} |
||||||
|
|
||||||
|
Введите новый адрес пользователя: |
||||||
|
''', |
||||||
|
mod_table_operate.EditMessage(bd_table.TableFieldDestiny.USER_CONTACTS): f''' |
||||||
|
Текущие контакты пользователя: |
||||||
|
#{user_contacts_field} |
||||||
|
|
||||||
|
Введите новые контакты пользователя: |
||||||
|
''', |
||||||
|
mod_table_operate.EditMessage(bd_table.TableFieldDestiny.USER_CONFIRM): f''' |
||||||
|
Текущее подтвержение пользователя: |
||||||
|
#{user_confirm_field} |
||||||
|
|
||||||
|
Введите новое подтверждение пользователя: |
||||||
|
''', |
||||||
|
mod_table_operate.EditMessage(bd_table.TableFieldDestiny.AUTH_PHOTO_DOCS): f''' |
||||||
|
Загрузите подписанный документ: |
||||||
|
''', |
||||||
|
mod_table_operate.EditMessage(bd_table.TableFieldDestiny.PHOTO_PAY): f''' |
||||||
|
Загрузите чек по оплате ЧВ: |
||||||
|
''', |
||||||
|
mod_table_operate.EditMessage(bd_table.TableFieldDestiny.ACCESS): f''' |
||||||
|
Текущий доступ к проекту: |
||||||
|
#{access_field} |
||||||
|
|
||||||
|
{user_access.user_access_readme} |
||||||
|
|
||||||
|
Введите новую строку доступа: |
||||||
|
''', |
||||||
|
mod_table_operate.Messages.SUCCESS_EDIT: '''✅ Данные успешно отредактированы!''', |
||||||
|
mod_table_operate.Messages.SELECT_TO_DELETE: ''' |
||||||
|
Выберите пользователя, у которого вы хотите удалить авторизованные данные. |
||||||
|
''', |
||||||
|
mod_table_operate.Messages.SUCCESS_DELETE: '''✅ Данные пользователя успешно удалены!''', |
||||||
|
} |
||||||
|
|
||||||
|
messages_subscribes = { |
||||||
|
mod_table_operate.SubscribeMessage(bot_subscribes.SubscribeType.ANY_ITEM_ADD):f'''Данные по авторизации созданы''', |
||||||
|
mod_table_operate.SubscribeMessage(bot_subscribes.SubscribeType.ANY_ITEM_EDIT):f'''Данные по авторизации отредактированы''', |
||||||
|
mod_table_operate.SubscribeMessage(bot_subscribes.SubscribeType.ANY_ITEM_DEL):f'''Данные по авторизации удалены''', |
||||||
|
mod_table_operate.SubscribeMessage(bot_subscribes.SubscribeType.ITEM_EDIT):f'''Данные по авторизации отредактированы #item_id''', |
||||||
|
mod_table_operate.SubscribeMessage(bot_subscribes.SubscribeType.ITEM_DEL):f'''Данные по авторизации удалены #item_id''', |
||||||
|
mod_table_operate.SubscribeMessage(bot_subscribes.SubscribeType.ANY_ITEM_ADD_WITH_PARENT):f'''Данные по авторизации созданы''', |
||||||
|
mod_table_operate.SubscribeMessage(bot_subscribes.SubscribeType.ANY_ITEM_EDIT_WITH_PARENT):f'''Данные по авторизации отредактированы''', |
||||||
|
mod_table_operate.SubscribeMessage(bot_subscribes.SubscribeType.ANY_ITEM_DEL_WITH_PARENT):f'''Данные по авторизации удалены''', |
||||||
|
} |
||||||
|
|
||||||
|
messages.update(messages_subscribes) |
||||||
|
|
||||||
|
messages_confirm_status = { |
||||||
|
mod_table_operate.EnumMessageForView(ConfirmStatus.YES): f'''Да, все данные верны''', |
||||||
|
mod_table_operate.EnumMessageForView(ConfirmStatus.NO): f'''Нет, данные не верны''', |
||||||
|
} |
||||||
|
|
||||||
|
messages.update(messages_confirm_status) |
||||||
|
|
||||||
|
class ModuleAuthorize(mod_table_operate.TableOperateModule): |
||||||
|
def __init__(self, a_ParentModName, a_ChildModName, a_ChildModuleNameList, a_EditModuleNameList, a_Bot, a_ModuleAgregator, a_BotMessages, a_BotButtons, a_BotSubscribes, a_Log): |
||||||
|
super().__init__(table, messages, button_names, a_ParentModName, a_ChildModName, init_access, def_init_access, a_ChildModuleNameList, a_EditModuleNameList, a_Bot, a_ModuleAgregator, a_BotMessages, a_BotButtons, a_BotSubscribes, a_Log) |
||||||
|
|
||||||
|
def GetName(self): |
||||||
|
return module_name |
||||||
|
|
||||||
|
def GetAccessForEditKeyboardButtons(self, a_Field): |
||||||
|
cur_dict = { |
||||||
|
bd_table.TableFieldDestiny.USER_ID: user_access.AccessMode.NONE, |
||||||
|
bd_table.TableFieldDestiny.USER_NAME: user_access.AccessMode.NONE, |
||||||
|
bd_table.TableFieldDestiny.USER_FAMILY_NAME: user_access.AccessMode.NONE, |
||||||
|
bd_table.TableFieldDestiny.USER_MIDDLE_NAME: user_access.AccessMode.NONE, |
||||||
|
bd_table.TableFieldDestiny.USER_BIRTHDAY: user_access.AccessMode.NONE, |
||||||
|
bd_table.TableFieldDestiny.USER_ADDRESS: user_access.AccessMode.NONE, |
||||||
|
bd_table.TableFieldDestiny.USER_CONTACTS: user_access.AccessMode.NONE, |
||||||
|
bd_table.TableFieldDestiny.USER_CONFIRM: user_access.AccessMode.NONE, |
||||||
|
bd_table.TableFieldDestiny.ACCESS: user_access.AccessMode.NONE, |
||||||
|
bd_table.TableFieldDestiny.AUTH_PHOTO_DOCS: user_access.AccessMode.ADD, |
||||||
|
bd_table.TableFieldDestiny.PHOTO_PAY: user_access.AccessMode.ADD, |
||||||
|
} |
||||||
|
return cur_dict.get(a_Field.m_Destiny, super().GetAccessForEditKeyboardButtons(a_Field)) |
||||||
|
|
||||||
|
def GetButtonNameAndKeyValueAndAccess(self, a_Item): |
||||||
|
key_name_id = self.m_Table.GetFieldIDByDestiny(bd_table.TableFieldDestiny.USER_ID) |
||||||
|
name_field_id = self.m_Table.GetFieldIDByDestiny(bd_table.TableFieldDestiny.USER_NAME) |
||||||
|
fam_name_field_id = self.m_Table.GetFieldIDByDestiny(bd_table.TableFieldDestiny.USER_FAMILY_NAME) |
||||||
|
access_field_id = self.m_Table.GetFieldIDByDestiny(bd_table.TableFieldDestiny.ACCESS) |
||||||
|
assert key_name_id != None |
||||||
|
assert name_field_id != None |
||||||
|
assert fam_name_field_id != None |
||||||
|
assert access_field_id != None |
||||||
|
return \ |
||||||
|
a_Item[name_field_id] + ' ' + a_Item[fam_name_field_id] + '(' + str(a_Item[key_name_id]) +')',\ |
||||||
|
a_Item[key_name_id],\ |
||||||
|
a_Item[access_field_id] |
||||||
|
|
||||||
|
async def OnChangeField(self, a_Field, a_ItemID, a_ItemData, a_EditUserID): |
||||||
|
super().OnChangeField(a_Field, a_ItemID, a_ItemData, a_EditUserID) |
||||||
|
user_id_field_name = self.m_Table.GetFieldNameByDestiny(bd_table.TableFieldDestiny.USER_ID) |
||||||
|
user_id = a_ItemData[user_id_field_name] |
||||||
|
user_confirm_field_id = self.m_Table.GetFieldIDByDestiny(bd_table.TableFieldDestiny.USER_CONFIRM) |
||||||
|
auth_docs_field_id = self.m_Table.GetFieldIDByDestiny(bd_table.TableFieldDestiny.AUTH_PHOTO_DOCS) |
||||||
|
pay_field_id = self.m_Table.GetFieldIDByDestiny(bd_table.TableFieldDestiny.PHOTO_PAY) |
||||||
|
item = GetAuthorizeItem(self.m_Bot, user_id) |
||||||
|
if item and item[user_confirm_field_id] != '' and item[auth_docs_field_id] != '' and item[pay_field_id] != '': |
||||||
|
users_groups_agregator.AddUserInGroup(self.m_Bot, user_id, user_access.user_access_group_auth_users) |
||||||
|
|
||||||
|
def GetStartButtons(self, a_Message, a_UserGroups): |
||||||
|
user_id = str(a_Message.from_user.id) |
||||||
|
item = GetAuthorizeItem(self.m_Bot, user_id) |
||||||
|
user_confirm_field_id = self.m_Table.GetFieldIDByDestiny(bd_table.TableFieldDestiny.USER_CONFIRM) |
||||||
|
|
||||||
|
cur_buttons = [] |
||||||
|
|
||||||
|
if item and item[user_confirm_field_id] == self.GetMessage(mod_table_operate.EnumMessageForView(ConfirmStatus.YES)).GetDesc(): |
||||||
|
cur_buttons += [[ButtonNames.LIST_AUTH_DOCS, user_access.AccessMode.VIEW]] |
||||||
|
cur_buttons += [[mod_table_operate.EditButton(bd_table.TableFieldDestiny.AUTH_PHOTO_DOCS), user_access.AccessMode.VIEW]] |
||||||
|
cur_buttons += [[mod_table_operate.EditButton(bd_table.TableFieldDestiny.PHOTO_PAY), user_access.AccessMode.VIEW]] |
||||||
|
else: |
||||||
|
cur_buttons += [[mod_table_operate.ButtonNames.ADD, user_access.AccessMode.ADD]] |
||||||
|
|
||||||
|
return cur_buttons + [ |
||||||
|
[mod_table_operate.ButtonNames.LIST, user_access.AccessMode.VIEW], |
||||||
|
[mod_table_operate.ButtonNames.DEL, user_access.AccessMode.DELETE], |
||||||
|
[mod_table_operate.ButtonNames.EDIT, user_access.AccessMode.EDIT], |
||||||
|
] |
||||||
|
|
||||||
|
def RegisterHandlers(self): |
||||||
|
super().RegisterHandlers() |
||||||
|
|
||||||
|
def GetFilesFunc(a_user_id): |
||||||
|
files = GetAuthDocs() |
||||||
|
cur_dict = GetReplaceDictFunc(self.m_Bot, a_user_id) |
||||||
|
result = {} |
||||||
|
for f in files: |
||||||
|
result.update({f: cur_dict}) |
||||||
|
|
||||||
|
return result |
||||||
|
|
||||||
|
button_name = self.GetButton(ButtonNames.LIST_AUTH_DOCS) |
||||||
|
if button_name: |
||||||
|
self.m_Bot.RegisterMessageHandler( |
||||||
|
docs_message.DocFilesTemplate( |
||||||
|
self.m_Bot, |
||||||
|
GetFilesFunc, |
||||||
|
self.GetMessage(Messages.LIST_AUTH_DOCS), |
||||||
|
self.m_GetAccessFunc, |
||||||
|
self.m_GetStartKeyboardButtonsFunc, |
||||||
|
None, |
||||||
|
self.GetMessage(Messages.LIST_AUTH_DOCS_ERROR), |
||||||
|
access_mode = user_access.AccessMode.VIEW |
||||||
|
), |
||||||
|
bd_item.GetCheckForTextFunc(button_name) |
||||||
|
) |
||||||
|
|
||||||
|
def AddBDItemFunc(self, a_ItemData, a_UserID): |
||||||
|
a_ItemData[user_id_field] = a_UserID |
||||||
|
a_ItemData[user_auth_docs_field] = '' |
||||||
|
a_ItemData[user_photo_pay_field] = '' |
||||||
|
result = super().AddBDItemFunc(a_ItemData, a_UserID) |
||||||
|
return result |
||||||
|
|
||||||
|
def GetKeyFieldDestiny(self): |
||||||
|
return bd_table.TableFieldDestiny.USER_ID |
||||||
|
|
||||||
|
def GetInitBDCommands(self): |
||||||
|
return super(). GetInitBDCommands() + [ |
||||||
|
groups_utils.CreateGroupRequest(user_access.user_access_group_auth_users) |
||||||
|
] |
||||||
|
|
||||||
|
def GetReplaceDictFunc(a_Bot, a_user_id): |
||||||
|
item = GetAuthorizeItem(a_Bot, a_user_id) |
||||||
|
if not item: |
||||||
|
return None |
||||||
|
result = {} |
||||||
|
i = 0 |
||||||
|
for f in table.GetFields(): |
||||||
|
result.update({str(f.m_Destiny): str(item[i])}) |
||||||
|
i += 1 |
||||||
|
print(result) |
||||||
|
return result |
||||||
|
|
||||||
|
auth_docs_file_name = 'config_auth_docs' |
||||||
|
|
||||||
|
g_auth_docs = [] |
||||||
|
|
||||||
|
def GetAuthDocs(): |
||||||
|
global g_auth_docs |
||||||
|
if len(g_auth_docs) == 0: |
||||||
|
root_ids = config.GetAllLinesFromFile(auth_docs_file_name) |
||||||
|
for i in root_ids: |
||||||
|
g_auth_docs += [config.ClearReadLine(i)] |
||||||
|
|
||||||
|
return g_auth_docs |
@ -0,0 +1,51 @@ |
|||||||
|
# -*- coding: utf8 -*- |
||||||
|
# Общественное достояние, 2023, Алексей Безбородов (Alexei Bezborodov) <AlexeiBv+mirocod_platform_bot@narod.ru> |
||||||
|
|
||||||
|
# Версия БД |
||||||
|
# Этот модуль нужен для того, чтобы проводить миграции на новую версию. Он записывает в БД номер текущей версии. |
||||||
|
|
||||||
|
|
||||||
|
from bot_sys import bot_bd, keyboard, user_access, bd_table, bot_subscribes |
||||||
|
from bot_modules import mod_table_operate, mod_simple_message |
||||||
|
|
||||||
|
# --------------------------------------------------------- |
||||||
|
# БД |
||||||
|
module_name = 'bd_version' |
||||||
|
|
||||||
|
table_name = module_name |
||||||
|
base_version_number_field = 'baseVersionNumber' |
||||||
|
sub_version_number_field = 'subVersionNumber' |
||||||
|
|
||||||
|
table_base_version_number_field = bd_table.TableField(base_version_number_field, bd_table.TableFieldDestiny.VERSION_NUMBER, bd_table.TableFieldType.INT) |
||||||
|
table_sub_version_number_field = bd_table.TableField(sub_version_number_field, bd_table.TableFieldDestiny.SUB_VERSION_NUMBER, bd_table.TableFieldType.INT) |
||||||
|
|
||||||
|
table = bd_table.Table(table_name, [ |
||||||
|
table_base_version_number_field, |
||||||
|
table_sub_version_number_field, |
||||||
|
], |
||||||
|
[ |
||||||
|
[table_base_version_number_field, table_sub_version_number_field], |
||||||
|
]) |
||||||
|
|
||||||
|
init_access = f'{user_access.user_access_group_new}=-' |
||||||
|
|
||||||
|
# --------------------------------------------------------- |
||||||
|
# Сообщения и кнопки |
||||||
|
|
||||||
|
button_names = { |
||||||
|
} |
||||||
|
|
||||||
|
messages = { |
||||||
|
} |
||||||
|
|
||||||
|
class ModuleBDVersion(mod_table_operate.TableOperateModule): |
||||||
|
def __init__(self, a_Bot, a_ModuleAgregator, a_BotMessages, a_BotButtons, a_BotSubscribes, a_Log): |
||||||
|
super().__init__(table, messages, button_names, None, None, init_access, init_access, None, None, a_Bot, a_ModuleAgregator, a_BotMessages, a_BotButtons, a_BotSubscribes, a_Log) |
||||||
|
|
||||||
|
def GetName(self): |
||||||
|
return module_name |
||||||
|
|
||||||
|
def GetInitBDCommands(self): |
||||||
|
return super(). GetInitBDCommands() + [ |
||||||
|
f"INSERT OR IGNORE INTO {table_name} ({base_version_number_field}, {sub_version_number_field}) VALUES ('{1}', '{1}');" |
||||||
|
] |
@ -0,0 +1,138 @@ |
|||||||
|
# -*- coding: utf8 -*- |
||||||
|
# Общественное достояние, 2023, Алексей Безбородов (Alexei Bezborodov) <AlexeiBv+mirocod_platform_bot@narod.ru> |
||||||
|
|
||||||
|
# Проекты |
||||||
|
|
||||||
|
from bot_sys import bot_bd, keyboard, user_access, bd_table, bot_subscribes |
||||||
|
from bot_modules import mod_table_operate, mod_simple_message |
||||||
|
|
||||||
|
# --------------------------------------------------------- |
||||||
|
# БД |
||||||
|
module_name = 'orders_cat' |
||||||
|
|
||||||
|
table_name = module_name |
||||||
|
key_name = 'catID' |
||||||
|
name_field = 'catName' |
||||||
|
desc_field = 'catDesc' |
||||||
|
photo_field = 'catPhoto' |
||||||
|
access_field = 'catAccess' |
||||||
|
create_datetime_field = 'catCreateDateTime' |
||||||
|
|
||||||
|
table = bd_table.Table(table_name, [ |
||||||
|
bd_table.TableField(key_name, bd_table.TableFieldDestiny.KEY, bd_table.TableFieldType.INT), |
||||||
|
bd_table.TableField(name_field, bd_table.TableFieldDestiny.NAME, bd_table.TableFieldType.STR), |
||||||
|
bd_table.TableField(desc_field, bd_table.TableFieldDestiny.DESC, bd_table.TableFieldType.STR), |
||||||
|
bd_table.TableField(photo_field, bd_table.TableFieldDestiny.PHOTO, bd_table.TableFieldType.PHOTO), |
||||||
|
bd_table.TableField(access_field, bd_table.TableFieldDestiny.ACCESS, bd_table.TableFieldType.STR), |
||||||
|
bd_table.TableField(create_datetime_field, bd_table.TableFieldDestiny.CREATE_DATE, bd_table.TableFieldType.STR), |
||||||
|
]) |
||||||
|
|
||||||
|
init_access = f'{user_access.user_access_group_new}=v' |
||||||
|
|
||||||
|
# --------------------------------------------------------- |
||||||
|
# Сообщения и кнопки |
||||||
|
|
||||||
|
button_names = { |
||||||
|
mod_simple_message.ButtonNames.START: "🟥 Категории", |
||||||
|
mod_table_operate.ButtonNames.LIST: "📃 Список категорий", |
||||||
|
mod_table_operate.ButtonNames.ADD: "✅ Добавить категорию", |
||||||
|
mod_table_operate.ButtonNames.EDIT: "🛠 Редактировать категорию", |
||||||
|
mod_table_operate.EditButton(bd_table.TableFieldDestiny.PHOTO): "☐ Изменить изображение в категории", |
||||||
|
mod_table_operate.EditButton(bd_table.TableFieldDestiny.NAME): "≂ Изменить название в категории", |
||||||
|
mod_table_operate.EditButton(bd_table.TableFieldDestiny.DESC): "𝌴 Изменить описание в категории", |
||||||
|
mod_table_operate.EditButton(bd_table.TableFieldDestiny.ACCESS): "✋ Изменить доступ к категории", |
||||||
|
mod_table_operate.ButtonNames.DEL: "❌ Удалить категорию", |
||||||
|
} |
||||||
|
|
||||||
|
messages = { |
||||||
|
mod_simple_message.Messages.START: f''' |
||||||
|
<b>{button_names[mod_simple_message.ButtonNames.START]}</b> |
||||||
|
|
||||||
|
''', |
||||||
|
mod_table_operate.Messages.SELECT: ''' |
||||||
|
Пожалуйста, выберите категорию: |
||||||
|
''', |
||||||
|
mod_table_operate.Messages.ERROR_FIND: ''' |
||||||
|
❌ Ошибка, категория не найдена |
||||||
|
''', |
||||||
|
mod_table_operate.Messages.OPEN: f''' |
||||||
|
<b>Категория: #{name_field}</b> |
||||||
|
|
||||||
|
#{desc_field} |
||||||
|
|
||||||
|
Время создания: #{create_datetime_field} |
||||||
|
''', |
||||||
|
mod_table_operate.CreateMessage(bd_table.TableFieldDestiny.NAME): ''' |
||||||
|
Создание категории. Шаг №1 |
||||||
|
|
||||||
|
Введите название категории: |
||||||
|
''', |
||||||
|
mod_table_operate.CreateMessage(bd_table.TableFieldDestiny.DESC): ''' |
||||||
|
Создание категории. Шаг №2 |
||||||
|
|
||||||
|
Введите описание категории: |
||||||
|
''', |
||||||
|
mod_table_operate.CreateMessage(bd_table.TableFieldDestiny.PHOTO): ''' |
||||||
|
Создание категории. Шаг №3 |
||||||
|
|
||||||
|
Загрузите обложку для категории (Фото): |
||||||
|
Она будет отображаться в его описании. |
||||||
|
''', |
||||||
|
mod_table_operate.Messages.SUCCESS_CREATE: '''✅ Категория успешно добавлена!''', |
||||||
|
mod_table_operate.Messages.START_EDIT: ''' |
||||||
|
Пожалуйста, выберите действие: |
||||||
|
''', |
||||||
|
mod_table_operate.Messages.SELECT_TO_EDIT: ''' |
||||||
|
Выберите проект, который вы хотите отредактировать. |
||||||
|
''', |
||||||
|
mod_table_operate.EditMessage(bd_table.TableFieldDestiny.PHOTO): ''' |
||||||
|
Загрузите новую обложку для категории (Фото): |
||||||
|
Она будет отображаться в его описании. |
||||||
|
''', |
||||||
|
mod_table_operate.EditMessage(bd_table.TableFieldDestiny.NAME): f''' |
||||||
|
Текущее название категории: |
||||||
|
#{name_field} |
||||||
|
|
||||||
|
Введите новое название категории: |
||||||
|
''', |
||||||
|
mod_table_operate.EditMessage(bd_table.TableFieldDestiny.DESC): f''' |
||||||
|
Текущее описание категории: |
||||||
|
#{desc_field} |
||||||
|
|
||||||
|
Введите новое описание категории: |
||||||
|
''', |
||||||
|
mod_table_operate.EditMessage(bd_table.TableFieldDestiny.ACCESS): f''' |
||||||
|
Текущий доступ к категории: |
||||||
|
#{access_field} |
||||||
|
|
||||||
|
{user_access.user_access_readme} |
||||||
|
|
||||||
|
Введите новую строку доступа: |
||||||
|
''', |
||||||
|
mod_table_operate.Messages.SUCCESS_EDIT: '''✅ Категория успешно отредактирована!''', |
||||||
|
mod_table_operate.Messages.SELECT_TO_DELETE: ''' |
||||||
|
Выберите категорию, которую вы хотите удалить. |
||||||
|
''', |
||||||
|
mod_table_operate.Messages.SUCCESS_DELETE: '''✅ Категория успешно удалёна!''', |
||||||
|
} |
||||||
|
|
||||||
|
messages_subscribes = { |
||||||
|
mod_table_operate.SubscribeMessage(bot_subscribes.SubscribeType.ANY_ITEM_ADD):f'''Категория создана''', |
||||||
|
mod_table_operate.SubscribeMessage(bot_subscribes.SubscribeType.ANY_ITEM_EDIT):f'''Категория отредактирована''', |
||||||
|
mod_table_operate.SubscribeMessage(bot_subscribes.SubscribeType.ANY_ITEM_DEL):f'''Категория удалена''', |
||||||
|
mod_table_operate.SubscribeMessage(bot_subscribes.SubscribeType.ITEM_EDIT):f'''Категория отредактирована #item_id''', |
||||||
|
mod_table_operate.SubscribeMessage(bot_subscribes.SubscribeType.ITEM_DEL):f'''Категория удалена #item_id''', |
||||||
|
mod_table_operate.SubscribeMessage(bot_subscribes.SubscribeType.ANY_ITEM_ADD_WITH_PARENT):f'''Категория создана''', |
||||||
|
mod_table_operate.SubscribeMessage(bot_subscribes.SubscribeType.ANY_ITEM_EDIT_WITH_PARENT):f'''Категория отредактирована''', |
||||||
|
mod_table_operate.SubscribeMessage(bot_subscribes.SubscribeType.ANY_ITEM_DEL_WITH_PARENT):f'''Категория удалена''', |
||||||
|
} |
||||||
|
|
||||||
|
messages.update(messages_subscribes) |
||||||
|
|
||||||
|
class ModuleOrdersCat(mod_table_operate.TableOperateModule): |
||||||
|
def __init__(self, a_ParentModName, a_ChildModName, a_ChildModuleNameList, a_EditModuleNameList, a_Bot, a_ModuleAgregator, a_BotMessages, a_BotButtons, a_BotSubscribes, a_Log): |
||||||
|
super().__init__(table, messages, button_names, a_ParentModName, a_ChildModName, init_access, init_access, a_ChildModuleNameList, a_EditModuleNameList, a_Bot, a_ModuleAgregator, a_BotMessages, a_BotButtons, a_BotSubscribes, a_Log) |
||||||
|
|
||||||
|
def GetName(self): |
||||||
|
return module_name |
||||||
|
|
@ -0,0 +1,22 @@ |
|||||||
|
#!/usr/bin/env python |
||||||
|
"""Django's command-line utility for administrative tasks.""" |
||||||
|
import os |
||||||
|
import sys |
||||||
|
|
||||||
|
|
||||||
|
def main(): |
||||||
|
"""Run administrative tasks.""" |
||||||
|
os.environ.setdefault('DJANGO_SETTINGS_MODULE', 'adminpanel.settings') |
||||||
|
try: |
||||||
|
from django.core.management import execute_from_command_line |
||||||
|
except ImportError as exc: |
||||||
|
raise ImportError( |
||||||
|
"Couldn't import Django. Are you sure it's installed and " |
||||||
|
"available on your PYTHONPATH environment variable? Did you " |
||||||
|
"forget to activate a virtual environment?" |
||||||
|
) from exc |
||||||
|
execute_from_command_line(sys.argv) |
||||||
|
|
||||||
|
|
||||||
|
if __name__ == '__main__': |
||||||
|
main() |
@ -1,2 +1,7 @@ |
|||||||
aiogram==2.20 |
aiogram==2.20 |
||||||
colorama==0.4.5 |
colorama==0.4.5 |
||||||
|
weasyprint |
||||||
|
Django==2.2.1 |
||||||
|
python-dotenv==0.21.1 |
||||||
|
requests==2.31.0 |
||||||
|
urllib3==1.25.11 |
@ -0,0 +1,93 @@ |
|||||||
|
# -*- coding: utf8 -*- |
||||||
|
# Общественное достояние 2023, Алексей Безбородов (Alexei Bezborodov) <AlexeiBv+mirocod_platform_bot@narod.ru> |
||||||
|
|
||||||
|
# Сообщения для работы с документами |
||||||
|
|
||||||
|
from bot_sys import log, config, user_access |
||||||
|
from bot_modules import groups_utils |
||||||
|
from template import simple_message |
||||||
|
#import odf |
||||||
|
|
||||||
|
def DocFilesTemplate(a_Bot, a_FilesFunc, a_CaptionMessage, a_AccessFunc, a_GetButtonsFunc, a_GetInlineButtonsFunc, a_ErrorMessage, access_mode = user_access.AccessMode.EDIT): |
||||||
|
async def DocFiles(a_Message): |
||||||
|
user_id = str(a_Message.from_user.id) |
||||||
|
user_groups= groups_utils.GetUserGroupData(a_Bot, user_id) |
||||||
|
if not user_access.CheckAccess(a_Bot.GetRootIDs(), a_AccessFunc(), user_groups, access_mode): |
||||||
|
return await simple_message.AccessDeniedMessage(a_Bot, a_GetButtonsFunc, user_id, a_Message, user_groups) |
||||||
|
|
||||||
|
msg = a_CaptionMessage.GetDesc() |
||||||
|
msg = msg.replace('@time', a_Bot.GetLog().GetTime()) |
||||||
|
|
||||||
|
files = a_FilesFunc(user_id) |
||||||
|
if not files: |
||||||
|
await simple_message.SendMessage(a_Bot, a_ErrorMessage, a_GetButtonsFunc, None, user_id, a_Message, user_groups) |
||||||
|
return |
||||||
|
|
||||||
|
for file_path, dict_replace in files.items(): |
||||||
|
if not dict_replace: |
||||||
|
continue |
||||||
|
new_file = await MakeDocFile(a_Bot, file_path, dict_replace, user_id) |
||||||
|
document = await GetFile(a_Bot, new_file) |
||||||
|
if document is None: |
||||||
|
await simple_message.SendMessage(a_Bot, a_ErrorMessage, a_GetButtonsFunc, None, user_id, a_Message, user_groups) |
||||||
|
else: |
||||||
|
await a_Bot.SendDocument( |
||||||
|
user_id, |
||||||
|
document, |
||||||
|
msg, |
||||||
|
simple_message.ProxyGetButtonsTemplate(a_GetButtonsFunc)(a_Message, user_groups), |
||||||
|
simple_message.ProxyGetButtonsTemplate(a_GetInlineButtonsFunc)(a_Message, user_groups) |
||||||
|
) |
||||||
|
return DocFiles |
||||||
|
|
||||||
|
async def ReplaceInFile(a_Bot, a_InputFileName, a_OutFileName, a_DictReplace): |
||||||
|
try: |
||||||
|
filedata = '' |
||||||
|
|
||||||
|
with open(a_InputFileName, 'r') as in_f: |
||||||
|
filedata = in_f.read() |
||||||
|
s = filedata |
||||||
|
|
||||||
|
for rep_this, to_this in a_DictReplace.items(): |
||||||
|
s = s.replace(rep_this, to_this) |
||||||
|
|
||||||
|
with open(a_OutFileName, 'w') as out_f: |
||||||
|
out_f.write(s) |
||||||
|
a_Bot.GetLog().Success(f'Создан файл {a_OutFileName}') |
||||||
|
return a_OutFileName |
||||||
|
except Exception as e: |
||||||
|
a_Bot.GetLog().Error(f'Не удалось заменить текст в фале {a_InputFileName} и записать в {a_OutFileName}. Ошибка {str(e)}') |
||||||
|
return None |
||||||
|
|
||||||
|
from weasyprint import HTML, CSS |
||||||
|
|
||||||
|
async def SaveAsPdf(a_Bot, a_InputFileName, a_OutFileName): |
||||||
|
try: |
||||||
|
HTML(filename = a_InputFileName).write_pdf(a_OutFileName) |
||||||
|
a_Bot.GetLog().Success(f'Создан файл {a_OutFileName}') |
||||||
|
return a_OutFileName |
||||||
|
except Exception as e: |
||||||
|
a_Bot.GetLog().Error(f'Не удалось создать пдф из фала {a_InputFileName} и записать в {a_OutFileName}. Ошибка {str(e)}') |
||||||
|
return None |
||||||
|
|
||||||
|
async def MakeDocFile(a_Bot, a_FilePath, a_DictReplace, a_user_id): |
||||||
|
user_file_path = a_FilePath[:-5] |
||||||
|
pdf_file_path = user_file_path |
||||||
|
user_file_path += f"_{a_user_id}.html" |
||||||
|
pdf_file_path += f"_{a_user_id}.pdf" |
||||||
|
user_file_path = await ReplaceInFile(a_Bot, a_FilePath, user_file_path, a_DictReplace) |
||||||
|
if not user_file_path: |
||||||
|
return None |
||||||
|
|
||||||
|
return await SaveAsPdf(a_Bot, user_file_path, pdf_file_path) |
||||||
|
|
||||||
|
async def GetFile(a_Bot, a_Path): |
||||||
|
if not a_Path: |
||||||
|
return None |
||||||
|
try: |
||||||
|
document = open(a_Path, 'rb') |
||||||
|
a_Bot.GetLog().Success(f'Загружен файл {a_Path}') |
||||||
|
return document |
||||||
|
except Exception as e: |
||||||
|
a_Bot.GetLog().Error(f'Не удалось загрузить файл {a_Path}. Ошибка {str(e)}') |
||||||
|
return None |
Loading…
Reference in new issue