Как предотвратить смешивание в представлении Django данных двух разных пользователей

Здравствуйте, я работаю над проектом Django, и в моем представлении приложения я объявляю некоторые переменные в соответствии с уникальным ID каждого человека из базы данных. Вот так:

def chat(request):
if request.POST:

    global curCombo, curComboAlternate, firstSender

    # Getting the user ID of the user clicked
    toChatUserID = request.POST.get("userID")

    # Getting user ID of the login user from another function:
    try:
        # Looking if it is already defined in the "everyone" function
        curUserID = curUserID #Getting from another function
    except:

        # If not defined, then define it here
        curUserID = request.session.get("curUserId")
        

    # Combination of person itself and the person to talk
    curCombo = f"{curUserID}&{toChatUserID}"

    # Declaring this to use in case if the logined user is not the one on who's name the message combination is created in database
    curComboAlternate =f"{toChatUserID}&{curUserID}"

    # making this variable global to use it in the addMsgToDB function to determine the cur combo variable

    # If messages exist with opposite combination for "combo"
    if Message.objects.filter(combo=curComboAlternate).exists():
        firstSender = "other"Message.objects.filter(combo=curComboAlternate)

    # If messages exist in normal combination for "combo"
    else:
         firstSender = "me"
         print("now the firsender is set to ----->me")
         curComboMsg = Message.objects.filter(combo=curCombo)

    # Getting the name of the person to whom message has to be sent to show on the top of the chat
    userName = NewUser.objects.filter(id=toChatUserID)[0]
    userName = userName.firstName + " " + userName.lastName
    return render(request, "talk/chat.html", {"curComboMsg": curComboMsg, "firstSender": firstSender, "userName": userName, "toChatUserID": toChatUserID})

else:
    # If someone tries to access this page via direct url
    return redirect("login")

Теперь происходит следующее: когда пользователь загружает страницу чата, на которой запущена эта функция, эти переменные устанавливаются и становятся глобальными, и я могу обращаться к ним в других функциях.

Но когда другой пользователь загружает эту страницу, теперь эти переменные изменяются в соответствии с этим пользователем, и теперь я не могу получить доступ к ним для первого пользователя.

Функция, в которой я хочу использовать эти переменные:

def addMsgToDB(HttpRequest):
if HttpRequest.POST:
    msg = HttpRequest.POST["msgTxt"]

    # Save message with the normal combination
    if firstSender == "me":
        newMsg = Message(combo=curCombo, sender="me", message=msg)

    # Save message with alternae combo
    else:
        newMsg = Message(combo=curComboAlternate, sender="other", message=msg)
    
    newMsg.save()
    return JsonResponse({})
else:
    return redirect("login")
Вернуться на верх