无法获取用户的授权令牌

时间:2018-12-21 18:31:48

标签: django django-rest-framework django-views

在我的django-rest-application中,我使用post方法成功注册了一个用户。但是,当我尝试登录或获取用户的授权令牌时,出现未授权错误。

我正在使用post_save接收器更新令牌数据库,如下所示。

@receiver(post_save, sender=settings.AUTH_USER_MODEL)
def create_auth_token(sender, instance=None, created=False, **kwargs):
    if created:
        Token.objects.create(user=instance)

即使我在python shell中检查模型,也可以通过以下方法成功验证用户和令牌数据。

from django.contrib.auth.models import User
from rest_framework.authtoken.models import Token

user = User.objects.get(username='user1')
token = Token.objects.get(user__username='user1')

user.password和令牌数据已验证并存在。并且用户处于活动状态。但是,我无法使用curl方法获取授权令牌。甚至我也无法使用凭据登录浏览器。

卷曲请求

curl -X POST http://127.0.0.1:8000/api-token-auth/ -d "username=user1&password=password"

我的settings.py文件如下。

# Build paths inside the project like this: os.path.join(BASE_DIR, ...)
import os

BASE_DIR = os.path.dirname(os.path.dirname(__file__))


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

# SECURITY WARNING: keep the secret key used in production secret!
SECRET_KEY = 'c8x*pc%c$0-_k-wx5&u42m3k8k1jv!^o27&-*1w3u*v!ut3-5b'

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

TEMPLATE_DEBUG = True

ALLOWED_HOSTS = []


# Application definition

INSTALLED_APPS = (
    'django.contrib.auth',
    'django.contrib.contenttypes',
    'django.contrib.staticfiles',
    # Rest Framework app
    'rest_framework',
    'rest_framework.authtoken',
    # Internal Apps
    'src.main',
)

MIDDLEWARE_CLASSES = (
    'django.middleware.common.CommonMiddleware',
    'django.middleware.csrf.CsrfViewMiddleware',
    'django.middleware.clickjacking.XFrameOptionsMiddleware',
)

REST_FRAMEWORK = {
    'DEFAULT_AUTHENTICATION_CLASSES': (
        'rest_framework.authentication.BasicAuthentication',
        'rest_framework.authentication.SessionAuthentication',
        'rest_framework.authentication.TokenAuthentication',

    ),
    'DEFAULT_PERMISSION_CLASSES': (
        'rest_framework.permissions.IsAuthenticated',
    )
}
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',
            ],
        },
    },
]
ROOT_URLCONF = 'market_place.urls'

WSGI_APPLICATION = 'market_place.wsgi.application'


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

DATABASES = {
    'default': {
        'ENGINE': 'django.db.backends.sqlite3',
        'NAME': os.path.join(BASE_DIR, 'db.sqlite3'),
    }
}

# Internationalization
# https://docs.djangoproject.com/en/1.6/topics/i18n/

LANGUAGE_CODE = 'en-us'

TIME_ZONE = 'UTC'

USE_I18N = True

USE_L10N = True

USE_TZ = True


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

STATIC_URL = '/static/'

我在哪里想念?

编辑 curl命令出错

{
    "non_field_errors": [
        "Unable to log in with provided credentials."
    ]
}

我的用户个人资料模型如下:

class UserProfileModel(models.Model):
    user = models.OneToOneField(User, on_delete=models.CASCADE)
    profile_image = models.ImageField(upload_to="user_profile_pic", null=True)




class UserProfileRegisterView(generics.CreateAPIView):
    serializer_class = UserProfileSerializer

    permission_classes = [
        permissions.AllowAny  # Or anon users can't register
    ]

1 个答案:

答案 0 :(得分:1)

如果您发布的内容只存在于用户创建视图中,那么问题就出在这里。出于明显的安全原因,密码未以纯格式存储在Django中。而是存储它们的哈希,并在登录期间将输入密码的哈希与存储的哈希进行比较。

在您发布的代码中,似乎密码以纯格式存储,因此,当验证者尝试比较发送的密码和存储的输入的哈希值时,它们不匹配。

您应该使用user.set_password()来确保正确地对其进行哈希处理和保存。

您的create()的{​​{1}}方法应该是这样的:

UserProfileSerializer

当然,关于如何创建配置文件和用户的详细信息超出了此代码的范围,因为我不知道您的def create(self, validated_data): password = validated_data.pop('password') instance = super().create(validated_data) instance.user.set_password(password) instance.user.save() return instance 是如何定义的,但这应该可以为您提供一般的想法。 如果要与概要文件同时创建用户对象,则create方法看起来会有些复杂。查看DRF的writable nested serializers,了解有关如何实现的详细信息