async def delete_favorite_room(
        favorite_id: int,
        uuid: int = Depends(get_uuid_from_xtoken),
):

    path = f"/users/{uuid}/favorite_rooms/{favorite_id}"
    favorite_room, _ = Requester.user_srv_fetch(
        method="GET",
        path=path,
        expected_statuses={HTTP_200_OK},
    )

    room_path = f"/rooms/{favorite_room['room_id']}"
    room, _ = Requester.room_srv_fetch(method="GET",
                                       path=room_path,
                                       expected_statuses={HTTP_200_OK})

    path = f"/users/{uuid}/favorite_rooms/{favorite_id}"
    favorite_rooms, _ = Requester.user_srv_fetch(
        method="DELETE",
        path=path,
        expected_statuses={HTTP_200_OK},
    )

    return room
async def create_guest_rating(
        payload: UserRatingSchema,
        user_id: int,
        uuid: int = Depends(get_uuid_from_xtoken),
):
    if not AuthSender.has_permission_to_comment(uuid, user_id):
        raise UnauthorizedRequestError("You can't create a rating yourself")

    path = f"/users/{uuid}"
    me, _ = Requester.user_srv_fetch(method="GET",
                                     path=path,
                                     expected_statuses={HTTP_200_OK})

    new_payload = {
        "rating": payload.dict()["rating"],
        "reviewer": f"{me['firstname']} {me['lastname']}",
        "reviewer_id": uuid,
    }

    path = f"/users/{user_id}/guest_ratings"
    rating, _ = Requester.user_srv_fetch(
        method="POST",
        path=path,
        expected_statuses={HTTP_201_CREATED},
        payload=new_payload,
    )

    # Send notification
    notifier.send_new_user_guest_rating_notification(new_payload["reviewer"],
                                                     new_payload["rating"],
                                                     user_id)

    return rating
Example #3
0
async def create_room(payload: RoomSchema,
                      uuid: int = Depends(get_uuid_from_xtoken)):
    path = f"/users/{uuid}"
    user, _ = Requester.user_srv_fetch(method="GET",
                                       path=path,
                                       expected_statuses={HTTP_200_OK})
    owner = f"{user['firstname']} {user['lastname']}"

    req_payload = payload.dict()
    req_payload.update({"owner_uuid": uuid, "owner": owner})

    payment_payload = {
        "ownerId": req_payload["owner_uuid"],
        "price": req_payload["price_per_day"],
    }

    # Create room in payment server and generate an ID
    room_pay_srv, _ = Requester.payment_fetch(
        method="POST",
        path="/rooms",
        expected_statuses={HTTP_201_CREATED},
        payload=payment_payload,
    )

    # Add id to the room created in room server
    req_payload["id"] = room_pay_srv["id"]

    room, _ = Requester.room_srv_fetch(
        method="POST",
        path="/rooms",
        expected_statuses={HTTP_201_CREATED},
        payload=req_payload,
    )

    return room
async def create_user(
        payload: UserSchema,
        x_access_token: Optional[str] = Header(None),
):
    auth_payload = {"email": payload.dict()["email"]}
    auth_header = {"x-access-token": x_access_token}
    registered_user, _ = Requester.auth_srv_fetch(
        method="POST",
        path="/user/registered",
        expected_statuses={HTTP_201_CREATED},
        payload=auth_payload,
        extra_headers=auth_header,
    )
    path = "/users"
    payload_user = payload.dict()
    payload_user.update({"id": registered_user["uuid"]})
    user, _ = Requester.user_srv_fetch(
        method="POST",
        path=path,
        expected_statuses={HTTP_201_CREATED},
        payload=payload_user,
    )

    # create wallet
    path = "/wallets"
    payload_wallet = {"uuid": registered_user["uuid"]}
    wallet, _ = Requester.payment_fetch(
        method="POST",
        path=path,
        expected_statuses={HTTP_201_CREATED},
        payload=payload_wallet,
    )

    return user
async def accept_booking(booking_id: int,
                         uuid: int = Depends(get_uuid_from_xtoken)):
    path = f"/bookings/{booking_id}"
    booking, _ = Requester.payment_fetch(method="GET",
                                         path=path,
                                         expected_statuses={HTTP_200_OK})
    room_owner_id = booking["roomOwnerId"]

    if not AuthSender.has_permission_to_modify(uuid, room_owner_id):
        raise UnauthorizedRequestError("Can't accept other users bookings")

    path = f"/bookings/{booking_id}/accept"
    payload_accept = {"roomOwnerId": room_owner_id}
    book_accepted, _ = Requester.payment_fetch("POST",
                                               path, {HTTP_200_OK},
                                               payload=payload_accept)

    # TODO: Change BookingDB model to match camelcase in payment server
    booking_camel = payment_camel_to_snake(book_accepted)

    # Send notification
    sender, _ = Requester.user_srv_fetch(
        "GET", f"/users/{booking_camel['room_owner_id']}", {HTTP_200_OK})
    sender_name = f"{sender['firstname']} {sender['lastname']}"

    room, _ = Requester.room_srv_fetch("GET",
                                       f"/rooms/{booking_camel['room_id']}",
                                       {HTTP_200_OK})
    room_title = room["title"]

    notifier.send_booking_accepted_notification(sender_name, room_title,
                                                booking_camel["booker_id"])

    return booking_camel
async def create_new_booking(
        payload: BookingSchema,
        uuid: int = Depends(get_uuid_from_xtoken),
):

    room_id = payload.dict()["room_id"]
    room_path = f"/rooms/{room_id}"
    room, _ = Requester.room_srv_fetch("GET", room_path, {HTTP_200_OK})

    if not AuthSender.can_book_room(room["owner_uuid"], uuid):
        raise NotAllowedRequestError("Can't create booking of your own room")

    if room["blocked"]:
        raise NotAllowedRequestError(
            "Can't create booking because the room is blocked")

    # Create intent book in payment server

    booking_path = "/bookings"
    payload_booking = {
        "bookerId": uuid,
        "roomId": room_id,
        "dateFrom": payload.dict()["date_from"].strftime("%d-%m-%Y"),
        "dateTo": payload.dict()["date_to"].strftime("%d-%m-%Y"),
    }
    booking, _ = Requester.payment_fetch(
        method="POST",
        path=booking_path,
        expected_statuses={HTTP_201_CREATED},
        payload=payload_booking,
    )

    # Create booking in room server
    booking_path = f"/rooms/{room_id}/bookings"
    # Add the booking id received from the payment server
    payload_booking = {
        "id": booking["id"],
        "date_from": payload.dict()["date_from"].strftime("%Y-%m-%d"),
        "date_to": payload.dict()["date_to"].strftime("%Y-%m-%d"),
    }

    booking_room, _ = Requester.room_srv_fetch("POST",
                                               booking_path,
                                               {HTTP_201_CREATED},
                                               payload=payload_booking)

    # TODO: Change BookingDB model to match camelcase in payment server
    booking_camel = payment_camel_to_snake(booking)

    # Send notification
    sender, _ = Requester.user_srv_fetch("GET", f"/users/{uuid}",
                                         {HTTP_200_OK})

    sender_name = f"{sender['firstname']} {sender['lastname']}"

    notifier.send_new_booking_received_notification(sender_name, room["title"],
                                                    room["owner_uuid"])

    return booking_camel
Example #7
0
async def create_room_comment(
        payload: RoomCommentSchema,
        room_id: int,
        viewer_uuid: int = Depends(get_uuid_from_xtoken),
):
    room_path = "/rooms" + f"/{room_id}"
    room, _ = Requester.room_srv_fetch(method="GET",
                                       path=room_path,
                                       expected_statuses={HTTP_200_OK})

    if ((payload.dict()["main_comment_id"] is None)
            and (not AuthSender.has_permission_to_comment(
                viewer_uuid, room["owner_uuid"]))):
        raise BadRequestError("You can't comment your own rooms!")

    user_path = "/users" + f"/{viewer_uuid}"
    user, _ = Requester.user_srv_fetch(method="GET",
                                       path=user_path,
                                       expected_statuses={HTTP_200_OK})
    commentator = f"{user['firstname']} {user['lastname']}"

    comment_payload = payload.dict()
    comment_payload.update({
        "commentator": commentator,
        "commentator_id": viewer_uuid
    })

    comment_path = "/rooms" + f"/{room_id}/comments"
    comment, _ = Requester.room_srv_fetch(
        method="POST",
        path=comment_path,
        expected_statuses={HTTP_201_CREATED},
        payload=comment_payload,
    )

    # Send notifications
    if (comment_payload["main_comment_id"] is None):
        # send notification to room_owner
        notifier.send_new_comment_notification(commentator, room["title"],
                                               room["owner_uuid"])
    elif (viewer_uuid == room["owner_uuid"]):
        # send notification answer to main_comment_owner
        main_comment, _ = Requester.room_srv_fetch(
            method="GET",
            path=comment_path + f'/{comment_payload["main_comment_id"]}',
            expected_statuses={HTTP_200_OK})
        notifier.send_answered_comment_notification(
            commentator, room["title"], main_comment["commentator_id"])
    else:
        # send notification answer to owner
        notifier.send_answered_comment_notification(commentator, room["title"],
                                                    room["owner_uuid"])

    return comment
async def delete_guest_rating(
        user_id: int,
        rating_id: int,
        uuid: int = Depends(get_uuid_from_xtoken),
):
    rating_path = f"/users/{user_id}/guest_ratings/{rating_id}"
    if not AuthSender.has_permission_to_modify(uuid, user_id):
        raise UnauthorizedRequestError(
            "You can't delete a rating of another user")

    review, _ = Requester.user_srv_fetch(method="DELETE",
                                         path=rating_path,
                                         expected_statuses={HTTP_200_OK})
    return review
async def send_message(
        _reponse: Response,
        payload: MessageSchema,
        other_uuid: int,
        uuid: int = Depends(get_uuid_from_xtoken),
):
    path = f"/users/{uuid}"
    me, _ = Requester.user_srv_fetch(method="GET",
                                     path=path,
                                     expected_statuses={HTTP_200_OK})

    path = f"/users/{other_uuid}"
    other, _ = Requester.user_srv_fetch(method="GET",
                                        path=path,
                                        expected_statuses={HTTP_200_OK})

    own_name = f"{me['firstname']} {me['lastname']}"
    other_name = f"{other['firstname']} {other['lastname']}"

    own_data = {"name": own_name, "uuid": uuid}
    other_data = {"name": other_name, "uuid": other_uuid}

    return chat_service.send_message(payload.dict()["message"], own_data,
                                     other_data)
Example #10
0
async def update_profile_photo(
        _response: Response,
        file: UploadFile = File(...),
        uuid: int = Depends(get_uuid_from_xtoken),
):
    image_url = photouploader.upload_profile_photo(file, uuid)

    user_patch = {"photo": image_url}
    user_profile_path = f"/users/{uuid}"
    user_response, _ = Requester.user_srv_fetch("PATCH",
                                                user_profile_path,
                                                {HTTP_200_OK},
                                                payload=user_patch)

    return user_response
Example #11
0
async def get_room(room_id: int, uuid: int = Depends(get_uuid_from_xtoken)):
    path = f"/rooms/{room_id}"
    room, _ = Requester.room_srv_fetch(method="GET",
                                       path=path,
                                       expected_statuses={HTTP_200_OK})

    path = f"/users/{uuid}/favorite_rooms/{room_id}"
    favorite_room, _ = Requester.user_srv_fetch(
        method="GET",
        path=path,
        expected_statuses={HTTP_200_OK, HTTP_404_NOT_FOUND},
    )

    if "room_id" in favorite_room.keys():
        room["favorite"] = True

    return room
async def update_user(
        user_id: int,
        payload: UserUpdateSchema,
        uuid: int = Depends(get_uuid_from_xtoken),
):
    if not AuthSender.has_permission_to_modify(uuid, user_id):
        raise UnauthorizedRequestError(
            "You can't update info about other users")

    path = f"/users/{user_id}"
    new_user_info, _ = Requester.user_srv_fetch(
        method="PATCH",
        path=path,
        expected_statuses={HTTP_200_OK},
        payload=payload.dict(exclude_unset=True),
    )
    return new_user_info
async def delete_user(user_id: int,
                      uuid: int = Depends(get_uuid_from_xtoken),
                      x_access_token: Optional[str] = Header(None)):

    auth_header = {"x-access-token": x_access_token}
    if not AuthSender.has_permission_to_modify(uuid, user_id):
        raise UnauthorizedRequestError("You can't delete other users")

    path = f"/users/{user_id}"
    new_user_info, _ = Requester.user_srv_fetch(
        method="DELETE", path=path, expected_statuses={HTTP_200_OK})

    auth_path = f"/user/registered/{uuid}"
    Requester.auth_srv_fetch("DELETE",
                             path=auth_path,
                             expected_statuses={HTTP_200_OK},
                             extra_headers=auth_header)

    return new_user_info
Example #14
0
async def create_favorite_room(
        payload: UserFavoriteRoomSchema,
        uuid: int = Depends(get_uuid_from_xtoken),
):

    room_path = f"/rooms/{payload.dict()['room_id']}"
    room, _ = Requester.room_srv_fetch(method="GET",
                                       path=room_path,
                                       expected_statuses={HTTP_200_OK})

    path = f"/users/{uuid}/favorite_rooms"
    favorite_room, _ = Requester.user_srv_fetch(
        method="POST",
        path=path,
        expected_statuses={HTTP_201_CREATED},
        payload=payload.dict(),
    )

    return room
Example #15
0
async def get_favorite_rooms(uuid: int = Depends(get_uuid_from_xtoken), ):
    path = f"/users/{uuid}/favorite_rooms"
    favorite_rooms, _ = Requester.user_srv_fetch(
        method="GET",
        path=path,
        expected_statuses={HTTP_200_OK},
    )

    query = "?"
    if len(favorite_rooms["favorites"]) > 0:
        for favorite in favorite_rooms["favorites"]:
            query = query + f"ids={favorite['room_id']}&"
    else:
        query = query + f"ids={-1}"

    room_path = "/rooms" + query
    rooms, _ = Requester.room_srv_fetch(method="GET",
                                        path=room_path,
                                        expected_statuses={HTTP_200_OK})

    return rooms
Example #16
0
async def rate_room(
        payload: RoomRatingSchema,
        room_id: int,
        viewer_uuid: int = Depends(get_uuid_from_xtoken),
):
    room_path = f"/rooms/{room_id}"
    room, _ = Requester.room_srv_fetch(method="GET",
                                       path=room_path,
                                       expected_statuses={HTTP_200_OK})

    if not AuthSender.has_permission_to_comment(viewer_uuid,
                                                room["owner_uuid"]):
        raise BadRequestError("You can't rate your own rooms!")

    user_path = f"/users/{viewer_uuid}"
    user, _ = Requester.user_srv_fetch(method="GET",
                                       path=user_path,
                                       expected_statuses={HTTP_200_OK})
    reviewer_name = f"{user['firstname']} {user['lastname']}"

    rating_req_payload = payload.dict()
    rating_req_payload.update({
        "reviewer": reviewer_name,
        "reviewer_id": viewer_uuid
    })

    room_rating_path = f"/rooms/{room_id}/ratings"
    rating, _ = Requester.room_srv_fetch(
        method="POST",
        path=room_rating_path,
        expected_statuses={HTTP_201_CREATED},
        payload=rating_req_payload,
    )

    # Send notification
    notifier.send_new_room_rating_notification(reviewer_name, room["title"],
                                               rating_req_payload["rating"],
                                               room["owner_uuid"])

    return rating
async def get_single_host_review(user_id: int, review_id: int):
    path = f"/users/{user_id}/host_reviews/{review_id}"
    user_reviews, _ = Requester.user_srv_fetch(method="GET",
                                               path=path,
                                               expected_statuses={HTTP_200_OK})
    return user_reviews
Example #18
0
async def get_current_user(uuid: int = Depends(get_uuid_from_xtoken)):
    path = f"/users/{uuid}"
    user, _ = Requester.user_srv_fetch(method="GET",
                                       path=path,
                                       expected_statuses={HTTP_200_OK})
    return user
async def get_single_guest_rating(user_id: int, rating_id: int):
    path = f"/users/{user_id}/guest_ratings/{rating_id}"
    user_ratings, _ = Requester.user_srv_fetch(method="GET",
                                               path=path,
                                               expected_statuses={HTTP_200_OK})
    return user_ratings
async def get_all_users():
    path = "/users"
    users, _ = Requester.user_srv_fetch(method="GET",
                                        path=path,
                                        expected_statuses={HTTP_200_OK})
    return users
async def get_user(user_id: int):
    path = f"/users/{user_id}"
    user, _ = Requester.user_srv_fetch(method="GET",
                                       path=path,
                                       expected_statuses={HTTP_200_OK})
    return user