Python学习---django知识补充之CBV

Django知识补充之CBV

Django:

   url    -->  def函数      FBV[function based view]  用函数和URL进行匹配

   url    -->  类           CBV[function based view]  用类和URL进行匹配

POSTMAN插件

http://blog.csdn.net/zzy1078689276/article/details/77528249

 

基于CBV的登录实例:

settings.py

INSTALLED_APPS = [...'app01',   # 注册app
]
STATICFILES_DIRS = (os.path.join(BASE_DIR, "statics"),)  # 现添加的配置,这里是元组,注意逗号
TEMPLATES = [...'DIRS': [os.path.join(BASE_DIR, 'templates')],
]

urls.py

from django.contrib import admin
from django.urls import path
from django.conf.urls import url, include
from app01 import views
urlpatterns = [# 基于CBV的登录# url(r'^login.html/', views.login),  # 原来基于函数url(r'^login.html/', views.Login.as_view()), # 现在基于类名.as_view()
]

views.py

from django.shortcuts import render, redirect
from app01 import models
# 基于CBV的登录,需要导入views
from django import views
class Login(views.View):# http_method_names = ['get', 'post', 'put', 'patch', 'delete', 'head', 'options', 'trace']def get(self, request, *args, **kwargs):print(request.method, 'GGGGGGGGGGGG')message = ''return render(request, 'login.html', {'message': message})  # 这里是网页htmldef post(self, request, *args, **kwargs):print(request.method, 'OOOOOOOOOOOOO')username = request.POST.get("user")password = request.POST.get("pass")print('username: %s, password:%s' % (username, password))# obj = models.Administrator.objects.filter(username=username, password=password).count()# if obj:   从数据库内取出数据,进行判断也可以if username == 'root' and password == 'root':req = redirect('/index.html/')  # 接收redirect对象,# 这里是浏览器路径,伪静态# req.set_cookie('username', username, max_age=10)  # 设置超时时间10simport datetimetimeout = datetime.datetime.now() + datetime.timedelta(seconds=10)req.set_cookie('username', username, max_age=10, expires=timeout)# IE设置超时时间10sreturn req# return redirect('/index.html') # 与上面3行同,只是添加了Cookieelse:message = '用户名或密码错误'return render(request, 'login.html', {'message': message})  # 这里是网页html

templates/login.html

<!DOCTYPE html>
<html lang="en">
<head><meta charset="UTF-8"><title>Title</title>
</head>
<body>{# 伪静态#}<form action="/login.html/" method="post">{% csrf_token %}   {# 为跨站请求 #}<div><label for="user">用户名</label><input id="user" name="user" type="text"></div><div><label for="pass">密&nbsp;&nbsp;&nbsp;&nbsp;码</label><input id="pass" name="pass" type="password"></div><div><label></label><input value="登录" type="submit"><span style="color: red">{{ message }}</span></div></form>
</body>
</html>

templates/index.html

<!DOCTYPE html>
<html lang="en">
<head><meta charset="UTF-8">
</head>
<body><h2>hello, {{ username }}</h2>
</body>
</html>

页面显示:

image

 

CBV基于装饰器的使用<一>  ---基于Python旧方法

 

CBV基于装饰器的使用<一>  ---基于Python旧方法

装饰器:函数执行之前/后可以增加扩展功能

有多个方法的时候,必须给每个方法添加装饰器哈

CBV的反射原理

image

单一装饰器

views.py

from django.shortcuts import render, redirect
from app01 import models
# 基于CBV的登录,需要导入views
from django import views
from django.utils.decorators import method_decorator  # 导入装饰器
# 基于CBV的装饰器的使用
def outer(func):def inner(request, *args, **kwargs):print(request.method)return func(request, *args, **kwargs)return innerclass Login(views.View):# http_method_names = ['get', 'post', 'put', 'patch', 'delete', 'head', 'options', 'trace']@method_decorator(outer)def get(self, request, *args, **kwargs):message = ''return render(request, 'login.html', {'message': message})  # 这里是网页html@method_decorator(outer)def post(self, request, *args, **kwargs):username = request.POST.get("user")password = request.POST.get("pass")print('username: %s, password:%s' % (username, password))# obj = models.Administrator.objects.filter(username=username, password=password).count()# if obj:   从数据库内取出数据,进行判断也可以if username == 'root' and password == 'root':req = redirect('/index.html/')  # 接收redirect对象,# 这里是浏览器路径,伪静态# req.set_cookie('username', username, max_age=10)  # 设置超时时间10simport datetimetimeout = datetime.datetime.now() + datetime.timedelta(seconds=10)req.set_cookie('username', username, max_age=10, expires=timeout)# IE设置超时时间10sreturn req# return redirect('/index.html') # 与上面3行同,只是添加了Cookieelse:message = '用户名或密码错误'return render(request, 'login.html', {'message': message})  # 这里是网页html

CBV基于装饰器的使用<二>  --基于Django的dispatch[多个装饰器]

CBV基于装饰器的使用<二>  --基于Django的dispatch[多个装饰器]

如果对某一种请求做处理: 单一装饰器

如果对所有的请求做处理: dispatch单一装饰器

添加装饰器有2中方法:

    1.类上添加  

    2.方法上添加

image

自定义转发dispatch函数

from django import views
from django.utils.decorators import method_decorator  # 导入装饰器
class Login(views.View):# http_method_names = ['get', 'post', 'put', 'patch', 'delete', 'head', 'options', 'trace']# 自定义转发器,URL进来都在此处进行URL转发,我们可以有一些预操作[函数验证可以放此处]def dispatch(self, request, *args, **kwargs):print('自定义dispatch: 前')# if request.method == 'POST':# return HttpResponse("Good Bye")    # 预操作处理# 请求先到Login的dispatch,然后调用父类的dispatch,返回结果给了objobj = super(Login, self).dispatch(request, *args, **kwargs)  # 自定义转发且调用父类dispatch# 将父类的返回结果返回给界面,否则界面报错print('自定义dispatch: 后')return objdef get(self, request, *args, **kwargs):message = ''return render(request, 'login.html', {'message': message})  # 这里是网页html...同上

image

转载于:https://www.cnblogs.com/ftl1012/p/9403851.html

本文来自互联网用户投稿,该文观点仅代表作者本人,不代表本站立场。本站仅提供信息存储空间服务,不拥有所有权,不承担相关法律责任。如若转载,请注明出处:http://www.mzph.cn/news/388961.shtml

如若内容造成侵权/违法违规/事实不符,请联系多彩编程网进行投诉反馈email:809451989@qq.com,一经查实,立即删除!

相关文章

「CH2101」可达性统计 解题报告

CH2101 可达性统计 描述 给定一张N个点M条边的有向无环图&#xff0c;分别统计从每个点出发能够到达的点的数量。N,M≤30000。 输入格式 第一行两个整数N,M&#xff0c;接下来M行每行两个整数x,y&#xff0c;表示从x到y的一条有向边。 输出格式 共N行&#xff0c;表示每个点能够…

蓝图解锁怎么用_[UE4蓝图][Materials]虚幻4中可互动的雪地材质完整实现(一)

不说废话&#xff0c;先上个演示图最终成果&#xff08;脚印&#xff0c;雪地可慢慢恢复&#xff0c;地形可控制&#xff09;主要原理&#xff08;白话文&#xff09;&#xff1a;假如你头上是块白色并且可以透视的平地&#xff0c;来了个非洲兄弟踩上面&#xff0c;你拿起单反…

数据预处理工具_数据预处理

数据预处理工具As the title states this is the last project from Udacity Nanodegree. The goal of this project is to analyze demographics data for customers of a mail-order sales company in Germany.如标题所示&#xff0c;这是Udacity Nanodegree的最后一个项目。…

这几日英文大汇

int > 整数. 主要⽤用来进⾏行行数学运算 str > 字符串串, 可以保存少量量数据并进⾏行行相应的操作 bool>判断真假, True, False list> 存储⼤大量量数据.⽤用[ ]表⽰示 tuple> 元组, 不可以发⽣生改变 ⽤用( )表⽰示 dict>字典,保存键值对,⼀一样可以…

在网上收集了一部分关于使用Google API进行手机定位的资料和大家分享

在网上收集了一部分关于使用Google API进行手机定位的资料和大家分享&#xff1a;关于基站定位方面的介绍&#xff1a;http://tech.c114.net/164/a140837.html开发方面的帮助&#xff1a;http://www.dotblogs.com.tw/kylin/archive/2009/08/09/9964.aspxhttp://code.google.com…

background图片叠加_css怎么让两张图片叠加,不用background只用img叠加

展开全部css层叠图片代码&#xff1a;//这个层为外面的父层&#xff0c;只需设置相对位置样式即可//这个为里e69da5e887aa3231313335323631343130323136353331333431363030面要叠加的层&#xff0c;只需设置绝对样式//这个为层里面的内容图片//这个为父层内容或者&#xff1a;扩…

“入乡随俗,服务为主” 发明者量化兼容麦语言啦!

5年时光 我们裹挟前行。发明者量化从筚路蓝缕到步履蹒跚&#xff0c;从以“区块链资产交易”为阵地&#xff0c;再到以“内外盘商品期货”为依托。再到今天全面兼容“麦语言”。每一步&#xff0c;我们始终都在为建立一个优秀的量化交易平台而努力。 什么是麦语言&#xff1f; …

自考数据结构和数据结构导论_我跳过大学自学数据科学

自考数据结构和数据结构导论A few months back, I decided I wanted to learn data science. In order to do this, I skipped an entire semester of my data science major.几个月前&#xff0c;我决定要学习数据科学。 为此&#xff0c; 我跳过了数据科学专业的整个学期。 …

爬取LeetCode题目——如何发送GraphQL Query获取数据

前言 GraphQL 是一种用于 API 的查询语言&#xff0c;是由 Facebook 开源的一种用于提供数据查询服务的抽象框架。在服务端 API 开发中&#xff0c;很多时候定义一个接口返回的数据相对固定&#xff0c;因此要获得更多信息或者只想得到某部分信息时&#xff0c;基于 RESTful AP…

python中的thread_Python中的thread

测试代码import threadingimport timedef do_thread_test():print start thread time:, time.strftime(%H:%M:%S)time.sleep(5)print stop thread time:, time.strftime(%H:%M:%S)threads []for i in range(2):thread1 threading.Thread(targetdo_thread_test)thread1.setDae…

--附加数据库失败

--附加数据库失败1.产生失败的原因比如有个数据库&#xff0c;名叫HIMS,它的数据文件HIMS_Data.mdf和日志文件HIMS_Log.ldf,都放在路径c:/Program Files/Microsoft SQL Server/MSSQL/data/下。但是这个数据库天天跑日志&#xff0c;会产生上G的日志&#xff0c;现在通过企业管理…

十三、原生爬虫实战

一、简单实例 1、需求&#xff1a;爬取熊猫直播某类主播人气排行 2、了解网站结构 分类——英雄联盟——"观看人数" 3、找到有用的信息 二、整理爬虫常规思路 1、使用工具chrome——F12——element——箭头——定位目标元素 目标元素&#xff1a;主播名字&#xff0c…

归一化 均值归一化_归一化折现累积收益

归一化 均值归一化Do you remember the awkward moment when someone you had a good conversation with forgets your name? In this day and age we have a new standard, an expectation. And when the expectation is not met the feeling is not far off being asked “w…

sqlserver垮库查询_Oracle和SQLServer中实现跨库查询

一、在SQLServer中连接另一个SQLServer库数据在SQL中&#xff0c;要想在本地库中查询另一个数据库中的数据表时&#xff0c;可以创建一个链接服务器&#xff1a;EXEC master.dbo.sp_addlinkedserver server N别名, srvproductN库名,providerNSQLOLEDB, datasrcN服务器地址EXEC…

Angular2+ typescript 项目里面用require

在typescript里面怎么使用require方法呢&#xff1f; const jQuery require(jquery); const fip require( fonticonpicker/fonticonpicker )( jQuery ); 如果什么都不做&#xff0c;直接在项目里面使用&#xff0c;会得到以下错误&#xff1a; Cannot find name require 以下…

机器学习实践三---神经网络学习

Neural Networks 在这个练习中&#xff0c;将实现神经网络BP算法,练习的内容是手写数字识别。Visualizing the data 这次数据还是5000个样本&#xff0c;每个样本是一张20*20的灰度图片fig, ax_array plt.subplots(nrows10, ncols10, figsize(6, 4))for row in range(10):fo…

Microsoft Expression Blend 2 密钥,key

Microsoft Expression Blend 2 密钥&#xff0c;key&#xff0c;序列TJ2R3-WHW22-B848T-B78YJ-HHJWJ号

ethereumjs/ethereumjs-common-3-test

查看test能够让你更好滴了解其API文档的使用 ethereumjs-common/tests/chains.js const tape require(tape) const Common require(../index.js)tape([Common]: Initialization / Chain params, function (t) {t.test(Should initialize with chain provided, function (st) …

mysql修改_mysql修改表操作

一&#xff1a; 修改表信息1.修改表名alter table test_a rename to sys_app;2.修改表注释alter table sys_application comment 系统信息表;二&#xff1a;修改字段信息1.修改字段类型和注释alter table sys_application modify column app_name varchar(20) COMMENT 应用的名…

机器学习实践四--正则化线性回归 和 偏差vs方差

这次实践的前半部分是&#xff0c;用水库水位的变化&#xff0c;来预测大坝的出水量。 给数据集拟合一条直线&#xff0c;可能得到一个逻辑回归拟合&#xff0c;但它并不能很好地拟合数据&#xff0c;这是高偏差&#xff08;high bias&#xff09;的情况&#xff0c;也称为“欠…