📜  UpdateView – 基于类的视图 Django

📅  最后修改于: 2022-05-13 01:55:07.750000             🧑  作者: Mango

UpdateView – 基于类的视图 Django

UpdateView 指的是一种视图(逻辑),用于从数据库中更新表的特定实例,并提供一些额外的细节。它用于更新数据库中的条目,例如,更新 geeksforgeeks 上的文章。我们已经在 Update View – 函数 based Views Django 中讨论了 Update View 的基础知识。基于类的视图提供了另一种将视图实现为Python对象而不是函数的方法。它们不会取代基于函数的视图,但与基于函数的视图相比,它们具有一定的区别和优势:

  • 与特定 HTTP 方法(GET、POST 等)相关的代码组织可以通过单独的方法而不是条件分支来解决。
  • 诸如混合(多重继承)之类的面向对象技术可用于将代码分解为可重用的组件。

基于类的视图比基于函数的视图更简单、更有效地管理。具有大量代码行的基于函数的视图可以转换为仅具有几行代码的基于类的视图。这就是面向对象编程产生影响的地方。

Django UpdateView – 基于类的视图

使用示例说明如何创建和使用 UpdateView 。考虑一个名为geeks的项目,它有一个名为geeksforgeeks的应用程序。

在你有一个项目和一个应用程序之后,让我们创建一个模型,我们将通过我们的视图创建它的实例。在geeks/models.py中,

# import the standard Django Model
# from built-in library
from django.db import models
   
# declare a new model with a name "GeeksModel"
class GeeksModel(models.Model):
  
    # fields of the model
    title = models.CharField(max_length = 200)
    description = models.TextField()
  
    # renames the instances of the model
    # with their title name
    def __str__(self):
        return self.title

创建此模型后,我们需要运行两个命令才能为其创建数据库。

Python manage.py makemigrations
Python manage.py migrate

现在让我们使用 shell 创建这个模型的一些实例,运行表单 bash,

Python manage.py shell

输入以下命令

>>> from geeks.models import GeeksModel
>>> GeeksModel.objects.create(
                       title="title1",
                       description="description1").save()
>>> GeeksModel.objects.create(
                       title="title2",
                       description="description2").save()
>>> GeeksModel.objects.create(
                       title="title2",
                       description="description2").save()

现在我们已经为后端做好了一切准备。验证是否已从 http://localhost:8000/admin/geeks/geeksmodel/ 创建实例

django-listview-check-models-instances

基于类的视图会自动设置从 A 到 Z 的所有内容。只需指定要为哪个模型创建 UpdateView,然后基于类的 UpdateView 将自动尝试在app_name/modelname_form.html中查找模板。在我们的例子中,它是geeks/templates/geeks/geeksmodel_form.html 。让我们创建基于类的视图。在geeks/views.py中,

# import generic UpdateView
from django.views.generic.edit import UpdateView
  
# Relative import of GeeksModel
from .models import GeeksModel
  
class GeeksUpdateView(UpdateView):
    # specify the model you want to use
    model = GeeksModel
  
    # specify the fields
    fields = [
        "title",
        "description"
    ]
  
    # can specify success url
    # url to redirect after successfully
    # updating details
    success_url ="/"

现在创建一个 url 路径来映射视图。在 geeks/urls.py 中,

from django.urls import path 
    
# importing views from views..py 
from .views import GeeksUpdateView 
urlpatterns = [ 
    #  is identification for id field, 
    #  can also be used 
    path('/update', GeeksUpdateView.as_view()), 
] 

templates/geeks/geeksmodel_form.html中创建一个模板,

      {% csrf_token %}      {{ form.as_p }}       
 

让我们检查一下 http://localhost:8000/1/update/ 上有什么
django-updateview-class-based-view