Django allauth && UserProfile creation with post_save

1k Views Asked by At

I' m using django-allauth to authenticate users from different social sites. When a User is created in my db, i' d like to call a function which would create a UserProfile (or would do something) and to achieve this the best would be to use signals.post_save .

I' ve multiple django applications and of course i don' t want to change the core django-allauth, so my question where do i place my post_save code?

Thanks.

2

There are 2 best solutions below

3
On

You could create an accounts app locally to hold the UserProfile and everything associated with it. The you could have:

# Connecting to AllAuth Signals
from allauth.account.signals import user_signed_up
from django.dispatch import receiver

@receiver(user_signed_up)
def new_user_signup(sender, **kwargs):
    p = UserProfile(user = kwargs['user'])
    p.save()
1
On

In my experience "user_signed_up" signal from allauth and "post_save" from django didn't worked well together. I have email confirmation for original signup process but not for alluth.

So I made a different approach. After a successfull login, all my users redirect to homepage. I made a "get_or_create" method here. It's basically doing same thing as "post_save" and "user_signed_up". With this method I don't need to worry about email confirmations too.

Here is my views code:

from django.views.generic import TemplateView

from .models import UserProfile



class HomePageView(TemplateView):
    template_name = 'front/homepage.html'

    def get_context_data(self, **kwargs):
        context = super().get_context_data(**kwargs)
        user = self.request.user
        if user.is_authenticated: 
            p, created = UserProfile.objects.get_or_create(user=user)
            context['balance'] = p.balance
        return context

My models:

from django.db import models
from django.contrib.auth.models import User



class UserProfile(models.Model):
    user = models.OneToOneField(User, on_delete=models.CASCADE, related_name="user_profile")  
    balance = models.DecimalField(default=0.00, max_digits=9, decimal_places=2)
          

    class Meta:
        verbose_name = "User Card"
        verbose_name_plural = "User Cards"

    def __str__(self):
        return self.user.username