nakataku55
@nakataku55 (拓也 中西)

Are you sure you want to delete the question?

If your question is resolved, you may close it.

Leaving a resolved question undeleted may help others!

We hope you find it useful!

Heroku Django におけるログイン処理について助言頂きたいです。

問題点

Heroku 上に Django+Heroku PostgreSQL の WEBアプリケーションを構築しております。
ログインには、以下の Django 標準のログイン機能を使っておりまして、
ユーザも Django 標準の User オブジェクトを使っています。
from django.contrib.auth import authenticate,login,logout

同一のユーザ情報を、複数人で使いまわしており、
誰も使っていない場合は普通にログインできるのですが、
3~4名使い始めるとログインができなくなり、
4回ログインを試行したらようやく入れるという現象が起きています。
※ このログイン試行におけるID+パスワードは正しいです。

解決したいこと

同じID+パスワードで最大10名利用できるようにしたいのですが、
もしこの解決策をご存知でしたら、是非ご教示頂きたいです。

発生している問題・エラー

ログインしても入れない場合は、ID+パスワードが正しくても、
authenticate の結果が Non になります。

from django.shortcuts import render,redirect
from django.contrib.auth import authenticate,login,logout

# ログイン処理
def loginAndNavigate(request):
    username = request.POST.get("username")
    password = request.POST.get("password")
    user = authenticate(username=username, password=password)

    # ログインできない場合は、ID+パスワードが正しくてもここが Non になる
    logging.error(user)

    if user:
        login(request, user)
        return redirect("/top/1")
    else:
        return render(request, "login.html")

自分で試したこと

1つのアカウントを複数人で使い回すのではなく、1名に1つずつアカウントを発行する形であれば問題なく動いています。
その為、恐らく同時接続数なのか、同時利用可能なセッション数なのか同時利用者数がキーなのかなとは思っていますが、
検索しても解決策を見つけられず泣きそうでございます。。。

参考

参考になるかは分かりませんが、 settings.py のコード全文共有いたします。

import os
import dj_database_url
from django.test.runner import DiscoverRunner
from pathlib import Path

# Build paths inside the project like this: os.path.join(BASE_DIR, ...)
BASE_DIR = Path(__file__).resolve().parent.parent

IS_HEROKU = "DYNO" in os.environ

# Quick-start development settings - unsuitable for production
# See https://docs.djangoproject.com/en/4.0/howto/deployment/checklist/

# SECURITY WARNING: keep the secret key used in production secret!
SECRET_KEY = "developed_by_comture_takuyanakanishi_202302"

if "SECRET_KEY" in os.environ:
    SECRET_KEY = os.environ["SECRET_KEY"]

# Generally avoid wildcards(*). However since Heroku router provides hostname validation it is ok
if IS_HEROKU:
    ALLOWED_HOSTS = ["*"]
else:
    ALLOWED_HOSTS = []

# SECURITY WARNING: don't run with debug turned on in production!
if not IS_HEROKU:
    DEBUG = True

# Application definition

LOGIN_REDIRECT_URL = '/top/1'

DEFAULT_AUTO_FIELD = "django.db.models.BigAutoField"

SESSION_ENGINE = "django.contrib.sessions.backends.cache"

INSTALLED_APPS = [
    "django.contrib.admin",
    "django.contrib.auth",
    "django.contrib.contenttypes",
    "django.contrib.sessions",
    "django.contrib.messages",
    "django.contrib.staticfiles",
    "app",
    "inquiry",
]

MIDDLEWARE = [
    "django.contrib.sessions.middleware.SessionMiddleware",
    "django.middleware.security.SecurityMiddleware",
    "whitenoise.middleware.WhiteNoiseMiddleware",
    "django.middleware.common.CommonMiddleware",
    "django.middleware.csrf.CsrfViewMiddleware",
    "django.contrib.auth.middleware.AuthenticationMiddleware",
    "django.contrib.messages.middleware.MessageMiddleware",
    "django.middleware.clickjacking.XFrameOptionsMiddleware",
]

ROOT_URLCONF = "inquiry.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 = "inquiry.wsgi.application"


# Database
# https://docs.djangoproject.com/en/4.0/ref/settings/#databases

if "DATABASE_URL" in os.environ:
    # os.environ["DATABASE_URL"] から自動読み込み
    DATABASES = {"default": dj_database_url.config()}
else:
    DATABASES = {
        "default": {
            "ENGINE": "django.db.backends.postgresql",
            "NAME": "db-name",
            "USER": "user",
            "PASSWORD": "password",
            "HOST": "server-name",
            "PORT": "5432",
        }
    }

# Password validation
# https://docs.djangoproject.com/en/4.0/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.0/topics/i18n/

LANGUAGE_CODE = "ja-jp"
TIME_ZONE = "Asia/Tokyo"
USE_I18N = True
USE_TZ = True


# Static files (CSS, JavaScript, Images)
# https://docs.djangoproject.com/en/4.0/howto/static-files/

STATIC_ROOT = BASE_DIR / "staticfiles"
STATIC_URL = "static/"

# Enable WhiteNoise's GZip compression of static assets.
# STATICFILES_STORAGE = "whitenoise.storage.CompressedManifestStaticFilesStorage"


# Test Runner Config
class HerokuDiscoverRunner(DiscoverRunner):
    """Test Runner for Heroku CI, which provides a database for you.
    This requires you to set the TEST database (done for you by settings().)"""

    def setup_databases(self, **kwargs):
        self.keepdb = True
        return super(HerokuDiscoverRunner, self).setup_databases(**kwargs)


# Use HerokuDiscoverRunner on Heroku CI
if "CI" in os.environ:
    TEST_RUNNER = "inquiry.settings.HerokuDiscoverRunner"


# Default primary key field type
# https://docs.djangoproject.com/en/4.0/ref/settings/#default-auto-field

LABELS = {
    "ACCOUNT_INACTIVE": "アカウントが有効ではありません。",
    "ID_PASSWORD_INCORRECT": "ログインID、または、パスワードが間違っています。"
}
0

No Answers yet.

Your answer might help someone💌