Skip to main content

Why the User data are not updated? in Django?

I have a Model called UserAccount, I have tried several ways to update the data for an existing user, it responds that changes are successful without any error but still nothing is reflecting in Database

Here is the Model



class UserAccount(AbstractBaseUser,PermissionsMixin):
    first_name = models.CharField( max_length=100)
    last_name = models.CharField(max_length=100)
    email = models.EmailField(_("email"),validators=[EmailValidator()],unique=True)
    date_added = models.DateTimeField(auto_now_add=True)
    phone = models.CharField(max_length=20, validators=[RegexValidator(r'^\d{12}$', 'Enter a valid phone number.')])
    profile_picture = models.ImageField(upload_to='media/users_photos/%Y/%m',null=True,blank=True)
    employee_id = models.IntegerField(validators=[MinValueValidator(1), MaxValueValidator(999)], null=True,blank=True)
    is_staff = models.BooleanField(default=False)
    is_active = models.BooleanField(default=True)
    last_login = models.DateTimeField(auto_now_add=True , null=True)

    objects = CustomUserAccountManager()

    USERNAME_FIELD = "email"
    REQUIRED_FIELDS = ["first_name", "last_name","phone"]
    EMAIL_FIELD = "email"

    class Role(models.TextChoices):
        ADMIN = "Admin", "Admin"
        MANAGER = "Manager", "manager"
        NORMALUSER = "Normal", "normaluser"

    base_role = Role.NORMALUSER

    role = models.CharField(max_length=50, choices=Role.choices)

    def save(self, *args, **kwargs):
        if not self.pk:
            self.role = self.base_role
            return super().save(*args, **kwargs)

    def __str__(self):
        if self.first_name and self.last_name:
            fullname = f'{self.first_name} {self.last_name}'
        elif self.first_name:
            fullname = self.first_name
        elif self.last_name:
            fullname = self.last_name
        else:
            fullname = "Unnamed User"
        return fullname


    # Add related_name to avoid clashes
    groups = models.ManyToManyField(
        'auth.Group',
        related_name='user_accounts',
        blank=True,
        help_text='The groups this user belongs to. A user will get all permissions granted to each of their groups.',
        verbose_name='groups',
    )
    user_permissions = models.ManyToManyField(
        'auth.Permission',
        related_name='user_accounts',
        blank=True,
        help_text='Specific permissions for this user.',
        verbose_name='user permissions',
    )

    def get_username(self):
        return self.email



Here is theForm

class EditUserForm(forms.ModelForm):


    class Meta:
        model = UserAccount
        fields = ['first_name', 'last_name', 'email', 'phone', 'profile_picture', 'employee_id']

Here is the View

def edit_ni_user(request , user_id):

    request_user = get_object_or_404(UserAccount,id=user_id)
    edit_user_form = EditUserForm()


    if request.method == "POST":
        edit_user_form =EditUserForm(request.POST, request.FILES , instance=request_user)
        if edit_user_form.is_valid():
            print("edit_user_form is valid")

            newfirst_name = edit_user_form.cleaned_data['first_name']
            newlast_name = edit_user_form.cleaned_data['last_name']
            newphone = edit_user_form.cleaned_data['phone']
            newprofile_picture = edit_user_form.cleaned_data['profile_picture']
            newemployeeid = edit_user_form.cleaned_data['employee_id']

            request_user.first_name = newfirst_name
            request_user.last_name = newlast_name
            request_user.phone = newphone
            request_user.profile_picture = newprofile_picture
            request_user.employee_id= newemployeeid
            request_user.email = request_user.email
            request_user.save()
  
            print(get_object_or_404(UserAccount,id=user_id))

            print(UserAccount.objects.filter(id = request_user.pk).first())
            messages.success(request, f" {request_user}  Edited Successfully")

            return redirect('index')
        else:
            # Iterate over form errors and add appropriate messages
            for field, errors in edit_user_form.errors.items():
                for error in errors:
                     messages.error(request, f'{field}: {error}')
    elif request.method=="GET":

        edit_user_form = EditUserForm(instance = request_user)

every attempt are showing the success message in the content in the msg are the updated data but its not saved in the Database
am using PostgreSQL v 15



source https://stackoverflow.com/questions/77054955/why-the-user-data-are-not-updated-in-django

Comments

Popular posts from this blog

Prop `className` did not match in next js app

I have written a sample code ( Github Link here ). this is a simple next js app, but giving me error when I refresh the page. This seems to be the common problem and I tried the fix provided in the internet but does not seem to fix my issue. The error is Warning: Prop className did not match. Server: "MuiBox-root MuiBox-root-1" Client: "MuiBox-root MuiBox-root-2". Did changes for _document.js, modified _app.js as mentioned in official website and solutions in stackoverflow. but nothing seems to work. Could someone take a look and help me whats wrong with the code? Via Active questions tagged javascript - Stack Overflow https://ift.tt/2FdjaAW

How to show number of registered users in Laravel based on usertype?

i'm trying to display data from the database in the admin dashboard i used this: <?php use Illuminate\Support\Facades\DB; $users = DB::table('users')->count(); echo $users; ?> and i have successfully get the correct data from the database but what if i want to display a specific data for example in this user table there is "usertype" that specify if the user is normal user or admin i want to user the same code above but to display a specific usertype i tried this: <?php use Illuminate\Support\Facades\DB; $users = DB::table('users')->count()->WHERE usertype =admin; echo $users; ?> but it didn't work, what am i doing wrong? source https://stackoverflow.com/questions/68199726/how-to-show-number-of-registered-users-in-laravel-based-on-usertype

Why is my reports service not connecting?

I am trying to pull some data from a Postgres database using Node.js and node-postures but I can't figure out why my service isn't connecting. my routes/index.js file: const express = require('express'); const router = express.Router(); const ordersCountController = require('../controllers/ordersCountController'); const ordersController = require('../controllers/ordersController'); const weeklyReportsController = require('../controllers/weeklyReportsController'); router.get('/orders_count', ordersCountController); router.get('/orders', ordersController); router.get('/weekly_reports', weeklyReportsController); module.exports = router; My controllers/weeklyReportsController.js file: const weeklyReportsService = require('../services/weeklyReportsService'); const weeklyReportsController = async (req, res) => { try { const data = await weeklyReportsService; res.json({data}) console