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

ValueError: X has 10 features, but LinearRegression is expecting 1 features as input

So, I am trying to predict the model but its throwing error like it has 10 features but it expacts only 1. So I am confused can anyone help me with it? more importantly its not working for me when my friend runs it. It works perfectly fine dose anyone know the reason about it? cv = KFold(n_splits = 10) all_loss = [] for i in range(9): # 1st for loop over polynomial orders poly_order = i X_train = make_polynomial(x, poly_order) loss_at_order = [] # initiate a set to collect loss for CV for train_index, test_index in cv.split(X_train): print('TRAIN:', train_index, 'TEST:', test_index) X_train_cv, X_test_cv = X_train[train_index], X_test[test_index] t_train_cv, t_test_cv = t[train_index], t[test_index] reg.fit(X_train_cv, t_train_cv) loss_at_order.append(np.mean((t_test_cv - reg.predict(X_test_cv))**2)) # collect loss at fold all_loss.append(np.mean(loss_at_order)) # collect loss at order plt.plot(np.log(al...

Sorting large arrays of big numeric stings

I was solving bigSorting() problem from hackerrank: Consider an array of numeric strings where each string is a positive number with anywhere from to digits. Sort the array's elements in non-decreasing, or ascending order of their integer values and return the sorted array. I know it works as follows: def bigSorting(unsorted): return sorted(unsorted, key=int) But I didnt guess this approach earlier. Initially I tried below: def bigSorting(unsorted): int_unsorted = [int(i) for i in unsorted] int_sorted = sorted(int_unsorted) return [str(i) for i in int_sorted] However, for some of the test cases, it was showing time limit exceeded. Why is it so? PS: I dont know exactly what those test cases were as hacker rank does not reveal all test cases. source https://stackoverflow.com/questions/73007397/sorting-large-arrays-of-big-numeric-stings

How to load Javascript with imported modules?

I am trying to import modules from tensorflowjs, and below is my code. test.html <!DOCTYPE html> <html lang="en"> <head> <meta charset="UTF-8"> <title>Document</title </head> <body> <script src="https://cdn.jsdelivr.net/npm/@tensorflow/tfjs@2.0.0/dist/tf.min.js"></script> <script type="module" src="./test.js"></script> </body> </html> test.js import * as tf from "./node_modules/@tensorflow/tfjs"; import {loadGraphModel} from "./node_modules/@tensorflow/tfjs-converter"; const MODEL_URL = './model.json'; const model = await loadGraphModel(MODEL_URL); const cat = document.getElementById('cat'); model.execute(tf.browser.fromPixels(cat)); Besides, I run the server using python -m http.server in my command prompt(Windows 10), and this is the error prompt in the console log of my browser: Failed to loa...