Django is a python web development framework that follows the MVC design pattern, but is often called MTV (model-template-views) in Django. Model is the data persistence layer, which mainly stores entity mapping, entity relationships, and some methods of entities. Template is the presentation layer, mainly used to display data. Django's view engine can render it into HTML and display it. Views is the business logic layer, which acts as a bridge between model and template in Django. It processes the model and submits data to the template. It also accepts template requests and parameters, and submits model modifications after completing the corresponding logic.
Personally, I think MTV and .NET MVC here express the same meaning. The biggest difference is that in .net, views are the presentation layer, while in Django, it is the business logic layer. According to the official document, it is just a lack of understanding of views. It's just the same. In fact, it can be used as a controller. Below I will introduce the syntax and features of Django based on some personal understanding.
1. Views and URLs
views is the business logic layer. In Django, views are usually a views.py module, placed in the corresponding package. Views.py contains specific logical functions. Each function corresponds to one or more templates. In order to establish the connection between templates and views, a certain routing mechanism is required, so Django usually has a routing program urls.py in the root directory. . Routes are created by patterns and described by regular expressions, which greatly improves the flexibility of the routing mechanism.
For example:
views.py
def home(request): values = request.META.items() values.sort() return render_to_response('home.html',{"values":values}) urls.py from django.conf.urls.defaults import * urlpatterns = patterns('',('^$',home),)
The request parameter is required here, but you can name it arbitrarily, as long as it meets the specifications. The request contains the request information of the page. sender_to_response is in django.shortcuts, so you have to declare form django.shortcuts import sender_to_response in front. request.MATE contains all request interface information and user information. shor() sorts the list from small to large. The return value means submitting a values variable to the home.html template. The tuples in patterns in urls add regular guidance rules: excluding those whose original addresses match '^$', they are directed to home. Of course, this presupposes that the views.py file and urls.py are in the same folder, otherwise the home namespace must be referenced. If you want to pass multiple values in the URL, you can add brackets to the matching value you want to pass, such as ('^([^/]+)/([^/]+) /$', home) to match /some/some/ and some will be passed to the processing function home. The corresponding home needs to add appropriate parameters to accept.
2. Template
Template is the place where data is displayed in Django, usually in HTML format. In the template, Django's processing logic should be written in {% %}, and the variables to be displayed should be written in { { }}middle. Django's master page can be used as any document. The premise is that you must use {% block name %}{% endblock %} to declare the block to be filled or replaced. When using it, you only need to {% extends master name%} and then call the corresponding of blocks will do.
3. Model
Configure the database in the database dictionary in setting.py. After the configuration is complete, use manage.py startapp to create the app and write python code in models to describe the entity mapping. For example:
models.py
class Publisher(models.Model): name = models.CharField(max_length = 30) website = models.URLField() def __unicode__(self): return self.name class Meta: ordering = ['name']
models is included in django.db, which encapsulates the common interface of the model class. CharField() creates varchar type data, with parameters such as max_length, blank, verbose_name, etc. Indicates the maximum length, whether it is empty, and the display name respectively. def__unicode__ provides the default display after boxing. If this function is not set, the object type will be displayed by default. class Meta specifies the default sorting field of the model. At the same time, Django also provides a foreign key setting interface. Here we take book as an example
class Book(models.Model): title = models.CharField(max_length = 100) authors = models.ManyToManyField(Author) #多对多关系 publisher = models.ForeignKey(Publisher) #多对一关系 publication_date = models.DateField(blank = True, null = True)
After the creation is completed, the path to the app package must be added to the setting.py configuration file INSTALL_APPS.
Django supports codefirst. You can use manage.py syncdb to synchronize the database. When updating the database, Django first generates sql statements and then executes them. Before execution, you can run manage.py validate to check the model, or you can run manage.py sqlall books. You can directly declare the model object to implement data insertion by using save() to save the objects.filter() search, you can call delete() on the object to delete, and you can also call delete on the model to delete in batches. In the same way, update calls a single modification on the object and a batch modification on the model.
4. Integrated sub-framework
There are a variety of additional function packages in the django.contrib package. Currently, we only know about admin and auth, which feel very powerful. The only drawback is that the admin interface is slightly ugly. Admin is the backend management platform officially provided by Django. It can manage the apps you added and integrates all common functions including adding, deleting, modifying and checking. The calling code is also very simple. You only need to activate the admin link in urls.py. The configuration file is in setting.py. You can change it yourself if necessary. If you want to add app management, you need to add the following code (take Book as an example):
class BookAdmin(admin.ModelAdmin): list_display = ('title', 'publisher', 'publication_date') #显示顺序 list_filter = ('publication_date',) #过滤列表 ate_hierarchy = 'publication_date' #激活列表上方的日期查询 ordering = ('-publication_date',) #排序方式'-'代表倒序 filter_horizontal = ('authors',) #添加时候的横向选择过滤(此处假设book和authors 是多对多关系) raw_id_fields = ('publisher',) #添加时候的选择(此处假设publisher和book是一对多关系) admin.site.register(Publisher) admin.site.register(Author,AuthorAdmin) admin.site.register(Book,BookAdmin)
5. Caching mechanism
Personally, I think caching is very important for a website with too many visits. , the caching methods provided in Django are roughly divided into three types: full-site cache configuration method, view cache configuration method, and data cache configuration method. Just modify the relevant configuration files. You can also install other plug-ins to assist caching, such as memcached.

This tutorial demonstrates how to use Python to process the statistical concept of Zipf's law and demonstrates the efficiency of Python's reading and sorting large text files when processing the law. You may be wondering what the term Zipf distribution means. To understand this term, we first need to define Zipf's law. Don't worry, I'll try to simplify the instructions. Zipf's Law Zipf's law simply means: in a large natural language corpus, the most frequently occurring words appear about twice as frequently as the second frequent words, three times as the third frequent words, four times as the fourth frequent words, and so on. Let's look at an example. If you look at the Brown corpus in American English, you will notice that the most frequent word is "th

This article explains how to use Beautiful Soup, a Python library, to parse HTML. It details common methods like find(), find_all(), select(), and get_text() for data extraction, handling of diverse HTML structures and errors, and alternatives (Sel

This article compares TensorFlow and PyTorch for deep learning. It details the steps involved: data preparation, model building, training, evaluation, and deployment. Key differences between the frameworks, particularly regarding computational grap

Serialization and deserialization of Python objects are key aspects of any non-trivial program. If you save something to a Python file, you do object serialization and deserialization if you read the configuration file, or if you respond to an HTTP request. In a sense, serialization and deserialization are the most boring things in the world. Who cares about all these formats and protocols? You want to persist or stream some Python objects and retrieve them in full at a later time. This is a great way to see the world on a conceptual level. However, on a practical level, the serialization scheme, format or protocol you choose may determine the speed, security, freedom of maintenance status, and other aspects of the program

Python's statistics module provides powerful data statistical analysis capabilities to help us quickly understand the overall characteristics of data, such as biostatistics and business analysis. Instead of looking at data points one by one, just look at statistics such as mean or variance to discover trends and features in the original data that may be ignored, and compare large datasets more easily and effectively. This tutorial will explain how to calculate the mean and measure the degree of dispersion of the dataset. Unless otherwise stated, all functions in this module support the calculation of the mean() function instead of simply summing the average. Floating point numbers can also be used. import random import statistics from fracti

In this tutorial you'll learn how to handle error conditions in Python from a whole system point of view. Error handling is a critical aspect of design, and it crosses from the lowest levels (sometimes the hardware) all the way to the end users. If y

The article discusses popular Python libraries like NumPy, Pandas, Matplotlib, Scikit-learn, TensorFlow, Django, Flask, and Requests, detailing their uses in scientific computing, data analysis, visualization, machine learning, web development, and H

This tutorial builds upon the previous introduction to Beautiful Soup, focusing on DOM manipulation beyond simple tree navigation. We'll explore efficient search methods and techniques for modifying HTML structure. One common DOM search method is ex


Hot AI Tools

Undresser.AI Undress
AI-powered app for creating realistic nude photos

AI Clothes Remover
Online AI tool for removing clothes from photos.

Undress AI Tool
Undress images for free

Clothoff.io
AI clothes remover

AI Hentai Generator
Generate AI Hentai for free.

Hot Article

Hot Tools

Zend Studio 13.0.1
Powerful PHP integrated development environment

Notepad++7.3.1
Easy-to-use and free code editor

Atom editor mac version download
The most popular open source editor

SAP NetWeaver Server Adapter for Eclipse
Integrate Eclipse with SAP NetWeaver application server.

MinGW - Minimalist GNU for Windows
This project is in the process of being migrated to osdn.net/projects/mingw, you can continue to follow us there. MinGW: A native Windows port of the GNU Compiler Collection (GCC), freely distributable import libraries and header files for building native Windows applications; includes extensions to the MSVC runtime to support C99 functionality. All MinGW software can run on 64-bit Windows platforms.
