Fixed async-await bugs

This commit is contained in:
Dmitriy Shishkov 2023-09-08 19:40:23 +03:00
parent 7453a60eee
commit c922c8611e
Signed by: dm1sh
GPG Key ID: 027994B0AA357688
4 changed files with 16 additions and 16 deletions

View File

@ -37,12 +37,10 @@ async def add_poems_to_db(async_db: AsyncSession):
flag = True flag = True
else: else:
author += str1 author += str1
async with async_db() as session: poem = orm_models.Poems(title=name, text=stixi, author=author)
async with session.begin(): # В конце каждой итерации добавляем в базу данных
poem = orm_models.Poems(title=name, text=stixi, author=author) async_db.add(poem)
# В конце каждой итерации добавляем в базу данных async_db.commit()
session.add(poem)
session.commit()
# close the file # close the file
f1.close() f1.close()

View File

@ -93,7 +93,7 @@ async def put_in_db(name: Annotated[str, Form()], category: Annotated[str, Form(
if f.tell() > 0: if f.tell() > 0:
f.seek(0) f.seek(0)
destination = pathlib.Path("./uploads/" + str(hash(f)) + pathlib.Path(src.filename).suffix.lower()) destination = pathlib.Path("./uploads/" + str(hash(f)) + pathlib.Path(src.filename).suffix.lower())
async with destination.open('wb') as buffer: with destination.open('wb') as buffer:
shutil.copyfileobj(f, buffer) shutil.copyfileobj(f, buffer)
# изменяем название директории загруженного файла # изменяем название директории загруженного файла
@ -163,7 +163,7 @@ async def create_user(nickname: Annotated[str, Form()], password: Annotated[str,
new_user = orm_models.User(nickname=nickname, hashed_password=auth_utils.get_password_hash(password), new_user = orm_models.User(nickname=nickname, hashed_password=auth_utils.get_password_hash(password),
name=name, surname=surname, reg_date=datetime.date.today()) name=name, surname=surname, reg_date=datetime.date.today())
# добавляем в бд # добавляем в бд
await db.add(new_user) db.add(new_user)
await db.commit() await db.commit()
await db.refresh(new_user) # обновляем состояние объекта await db.refresh(new_user) # обновляем состояние объекта
return {"Success": True} return {"Success": True}
@ -187,7 +187,7 @@ async def login_for_access_token(
# задаем временной интервал, в течение которого токен можно использовать # задаем временной интервал, в течение которого токен можно использовать
access_token_expires = auth_utils.timedelta(minutes=auth_utils.ACCESS_TOKEN_EXPIRE_MINUTES) access_token_expires = auth_utils.timedelta(minutes=auth_utils.ACCESS_TOKEN_EXPIRE_MINUTES)
# создаем токен # создаем токен
access_token = await auth_utils.create_access_token( access_token = auth_utils.create_access_token(
data={"user_id": user.id}, expires_delta=access_token_expires data={"user_id": user.id}, expires_delta=access_token_expires
) )
return {"access_token":access_token} return {"access_token":access_token}
@ -195,7 +195,7 @@ async def login_for_access_token(
# получаем данные успешно вошедшего пользователя # получаем данные успешно вошедшего пользователя
@app.get("/api/users/me", response_model=pydantic_schemas.User) # @app.get("/api/users/me", response_model=pydantic_schemas.User) #
async def read_users_me(current_user: Annotated[pydantic_schemas.User, Depends(auth_utils.get_current_active_user)]): def read_users_me(current_user: Annotated[pydantic_schemas.User, Depends(auth_utils.get_current_active_user)]):
return current_user return current_user
@ -231,9 +231,9 @@ async def poems_to_front(db: Annotated[Session, Depends(auth_utils.get_session)]
num_of_poems = len(query.scalars().all()) num_of_poems = len(query.scalars().all())
# если стихов в бд нет # если стихов в бд нет
if num_of_poems < 1: if num_of_poems < 1:
add_poems_and_filters.add_poems_to_db(db) # добавляем поэмы в базу данных await add_poems_and_filters.add_poems_to_db(db) # добавляем поэмы в базу данных
# после добавления стихов снова определяем кол-во стихов в бд # после добавления стихов снова определяем кол-во стихов в бд
query = await db.execute(select(orm_models.Poems)) query = await db.execute(select(orm_models.Poems))
num_of_poems = len(query.scalars().all()) num_of_poems = len(query.scalars().all())
rand_id = random.randint(1, num_of_poems) # генерируем номер стихотворения rand_id = random.randint(1, num_of_poems) # генерируем номер стихотворения
#poem = db.query(orm_models.Poems).filter(orm_models.Poems.id == rand_id).first() # находим стих в бд #poem = db.query(orm_models.Poems).filter(orm_models.Poems.id == rand_id).first() # находим стих в бд

View File

@ -30,11 +30,11 @@ async def get_session() -> AsyncSession:
yield session yield session
async def verify_password(plain_password, hashed_password): def verify_password(plain_password, hashed_password):
return pwd_context.verify(plain_password, hashed_password) return pwd_context.verify(plain_password, hashed_password)
async def get_password_hash(password): def get_password_hash(password):
return pwd_context.hash(password) return pwd_context.hash(password)
@ -63,7 +63,7 @@ async def authenticate_user(db: Annotated[AsyncSession, Depends(get_session)], n
return user return user
async def create_access_token(data: dict, expires_delta: Union[timedelta, None] = None): def create_access_token(data: dict, expires_delta: Union[timedelta, None] = None):
to_encode = data.copy() to_encode = data.copy()
if expires_delta: if expires_delta:
expire = datetime.utcnow() + expires_delta expire = datetime.utcnow() + expires_delta
@ -95,7 +95,7 @@ async def get_current_user(db: Annotated[AsyncSession, Depends(get_session)], to
disabled=user.disabled, items=user.announcements, reg_date=user.reg_date, points=user.points) disabled=user.disabled, items=user.announcements, reg_date=user.reg_date, points=user.points)
async def get_current_active_user( def get_current_active_user(
current_user: Annotated[pydantic_schemas.User, Depends(get_current_user)] current_user: Annotated[pydantic_schemas.User, Depends(get_current_user)]
): ):
if current_user.disabled: if current_user.disabled:

View File

@ -1,5 +1,7 @@
aiosqlite==0.19.0
annotated-types==0.5.0 annotated-types==0.5.0
anyio==3.7.1 anyio==3.7.1
asyncpg==0.28.0
certifi==2023.7.22 certifi==2023.7.22
charset-normalizer==3.2.0 charset-normalizer==3.2.0
click==8.1.6 click==8.1.6