Skip to content
New issue

Have a question about this project? Sign up for a free GitHub account to open an issue and contact its maintainers and the community.

By clicking “Sign up for GitHub”, you agree to our terms of service and privacy statement. We’ll occasionally send you account related emails.

Already on GitHub? Sign in to your account

this comment time and create minutes #65

Closed
wants to merge 6 commits into from
Closed
Changes from all commits
Commits
File filter

Filter by extension

Filter by extension

Conversations
Failed to load comments.
Loading
Jump to
Jump to file
Failed to load files.
Loading
Diff view
Diff view
81 changes: 58 additions & 23 deletions rating_api/routes/comment.py
Original file line number Diff line number Diff line change
Expand Up @@ -25,7 +25,14 @@ async def create_comment(lecturer_id: int, comment_info: CommentPost, user=Depen
Для создания комментария нужно быть авторизованным

Для возможности создания комментария с указанием времени создания и изменения необходим скоуп ["rating.comment.import"]
"""
"""

# Функция для форматирования даты в формат "Месяц Год"
def format_date(date_obj):
if isinstance(date_obj, datetime.datetime):
return date_obj.strftime("%B %Y")
return date_obj #Если это не datetime объект, возвращаем как есть

lecturer = Lecturer.get(session=db.session, id=lecturer_id)
if not lecturer:
raise ObjectNotFound(Lecturer, lecturer_id)
Expand All @@ -38,31 +45,59 @@ async def create_comment(lecturer_id: int, comment_info: CommentPost, user=Depen
user_comments: list[LecturerUserComment] = (
LecturerUserComment.query(session=db.session).filter(LecturerUserComment.user_id == user.get("id")).all()
)
for user_comment in user_comments:
if datetime.datetime.utcnow() - user_comment.update_ts < datetime.timedelta(
minutes=settings.COMMENT_CREATE_FREQUENCY_IN_MINUTES
):
raise TooManyCommentRequests(
dtime=user_comment.update_ts
+ datetime.timedelta(minutes=settings.COMMENT_CREATE_FREQUENCY_IN_MINUTES)
- datetime.datetime.utcnow()
)

# Сначала добавляем с user_id, который мы получили при авторизации,
# в LecturerUserComment, чтобы нельзя было слишком быстро добавлять комментарии
LecturerUserComment.create(session=db.session, lecturer_id=lecturer_id, user_id=user.get('id'))

# Обрабатываем анонимность комментария, и удаляем этот флаг чтобы добавить запись в БД
user_id = None if comment_info.is_anonymous else user.get('id')

new_comment = Comment.create(

current_month_start = datetime.datetime(datetime.datetime.now(ts=datetime.timezone.utc).year, datetime.datetime.now(ts=datetime.timezone.utc).month, 1)
formatted_current_month_start = format_date(current_month_start) #Форматируем дату

# Получаем все комментарии пользователя за текущий месяц.
user_comments_this_month = LecturerUserComment.query.filter(
LecturerUserComment.lecturer_id == lecturer_id,
LecturerUserComment.user_id == user.get('id'),
LecturerUserComment.update_ts <= current_month_start
).all()

#Проверка на превышение лимита комментариев
if len(user_comments_this_month) >= settings.COMMENT_CREATE_FREQUENCY_IN_MONTH:
raise TooManyCommentRequests(dtime=formatted_current_month_start) #Передаем отформатированную дату

# Создаем новый комментарий
new_comment = LecturerUserComment.create(
session=db.session,
**comment_info.model_dump(exclude={"is_anonymous"}),
lecturer_id=lecturer_id,
user_id=user_id,
review_status=ReviewStatus.PENDING,
user_id=user.get('id'),
update_ts=datetime.datetime.now()
)
return CommentGet.model_validate(new_comment)

# Форматируем дату нового комментария
formatted_new_comment_date = format_date(new_comment.update_ts)

last_comment = LecturerUserComment.query.filter(
LecturerUserComment.lecturer_id == lecturer_id,
LecturerUserComment.user_id == user.get('id'),
LecturerUserComment.update_ts >= current_month_start
).order_by(LecturerUserComment.update_ts.desc()).first()

if last_comment:
time_since_last_comment = datetime.datetime.now() - last_comment.update_ts
allowed_time = datetime.timedelta(days=30 * settings.COMMENT_CREATE_FREQUENCY_IN_MONTH)
if time_since_last_comment < allowed_time:
raise TooManyCommentRequests(dtime=last_comment.update_ts + allowed_time)
# Сначала добавляем с user_id, который мы получили при авторизации,
# в LecturerUserComment, чтобы нельзя было слишком быстро добавлять комментарии
LecturerUserComment.create(session=db.session, lecturer_id=lecturer_id, user_id=user.get('id'))

# Обрабатываем анонимность комментария, и удаляем этот флаг чтобы добавить запись в БД
user_id = None if comment_info.is_anonymous else user.get('id')

new_comment = Comment.create(
session=db.session,
**comment_info.model_dump(exclude={"is_anonymous"}),
lecturer_id=lecturer_id,
user_id=user_id,
review_status=ReviewStatus.PENDING,\
)

return CommentGet.model_validate(new_comment)


@comment.get("/{uuid}", response_model=CommentGet)
Expand Down
Loading