在django中为用户添加图像/头像字段

时间:2011-06-18 13:44:19

标签: django avatar django-users

我希望我网站中的每个用户都能在自己的个人资料中看到一张图片。我不需要任何缩略图或类似的东西,只需每个用户的图片。越简单越好。问题是我不知道如何将这种类型的字段插入我的用户配置文件。有什么建议吗?

3 个答案:

答案 0 :(得分:41)

您需要创建一个具有验证所查找属性的干净方法的表单:

#models.py
from django.contrib.auth.models import User

class UserProfile(models.Model):
    user   = models.OneToOneField(User)
    avatar = models.ImageField()


#forms.py
from django import forms
from django.core.files.images import get_image_dimensions

from my_app.models import UserProfile


class UserProfileForm(forms.ModelForm):
    class Meta:
        model = UserProfile

    def clean_avatar(self):
        avatar = self.cleaned_data['avatar']

        try:
            w, h = get_image_dimensions(avatar)

            #validate dimensions
            max_width = max_height = 100
            if w > max_width or h > max_height:
                raise forms.ValidationError(
                    u'Please use an image that is '
                     '%s x %s pixels or smaller.' % (max_width, max_height))

            #validate content type
            main, sub = avatar.content_type.split('/')
            if not (main == 'image' and sub in ['jpeg', 'pjpeg', 'gif', 'png']):
                raise forms.ValidationError(u'Please use a JPEG, '
                    'GIF or PNG image.')

            #validate file size
            if len(avatar) > (20 * 1024):
                raise forms.ValidationError(
                    u'Avatar file size may not exceed 20k.')

        except AttributeError:
            """
            Handles case when we are updating the user profile
            and do not supply a new avatar
            """
            pass

        return avatar

希望能帮到你。

答案 1 :(得分:10)

要将UserProfile模型连接到用户模型,请确保扩展用户模型,如本教程中的完整说明所述:http://www.b-list.org/weblog/2006/jun/06/django-tips-extending-user-model/

这将允许您使用user.get_profile()。avatar访问用户的UserProfile属性,包括头像。 (请注意模板中的语法不同,请参阅下文,了解如何在模板中显示头像。)

您可以在UserProfile模型中为头像使用图像字段:

avatar = models.ImageField(upload_to='/images/)

这与FileField完全相同,但是特定于图像并验证上载的对象是有效图像。要限制文件大小,您可以使用@pastylegs给出的答案: Max image size on file upload

然后,假设您的userprofile模型名为UserProfile,您可以按如下方式访问模板中的头像:

<img src=path/to/images/{{ user.get_profile.avatar }}">

此处有关图像字段的更多信息: https://docs.djangoproject.com/en/dev/ref/models/fields/#imagefield

答案 2 :(得分:6)

假设您使用的是标准contrib.auth,则可以通过AUTH_PROFILE_MODULE设置将模型指定为'user profile' model。然后,您可以使用它将所需的任何其他信息附加到User个对象,例如

from django.contrib.auth.models import User

class UserProfile(models.Model):
    user   = models.OneToOneField(User)
    avatar = models.ImageField() # or whatever