Django项目开发快速入门

Django项目开发快速入门

    • 生成Django项目
    • 编写module
    • 后台管理系统admin
    • 自定义管理页面
    • 视图函数使用
    • Django模板

生成Django项目

  • 现在cmd中使用命令安装Django框架
pip install django==3.2
  • 使用命令生成项目
django-admin startproject DjStore
  • 使用命令生成应用
python .\manage.py startapp news
python .\manage.py startapp users

在项目的setting文件中注册
/DjStore/Djstore/setting.py

INSTALLED_APPS = ['django.contrib.admin','django.contrib.auth','django.contrib.contenttypes','django.contrib.sessions','django.contrib.messages','django.contrib.staticfiles',"news","users"
]

编写module

/DjStore/news/models.py

"""
新闻表:ID:主键title:标题 字符串content:新闻内容 大文本b_data:新闻日期 日期read:阅读量 整数
模型类:必须继承 django.db.models.model类
"""class NewsInfo(models.Model):title = models.CharField(max_length=30)content = models.TextField()b_date = models.DateTimeField()read = models.IntegerField()
  • 执行命名,生成mode
python .\manage.py makemigrations
Migrations for 'news':news\migrations\0001_initial.py- Create model NewsInfo
  • 生成对应的表结构
python .\manage.py migrate       
Operations to perform:Apply all migrations: admin, auth, contenttypes, news, sessions
Running migrations:Applying contenttypes.0001_initial... OKApplying auth.0001_initial... OKApplying admin.0001_initial... OKApplying auth.0009_alter_user_last_name_max_length... OKApplying auth.0010_alter_group_name_max_length... OKApplying auth.0011_update_proxy_permissions... OKApplying auth.0012_alter_user_first_name_max_length... OKApplying news.0001_initial... OKApplying sessions.0001_initial... OK

后台管理系统admin

/Djstore/news/admin.py

from django.contrib import admin
from .models import NewsInfo
# Register your models here.admin.site.register(NewsInfo)
  • 启动项目
python .\manage.py runserver
  • 生成admin账号
python .\manage.py createsuperuser
account:qqg
password:123456
  • 网址:http://127.0.0.1:8000/admin/
    在这里插入图片描述

自定义管理页面

from django.contrib import admin
from .models import NewsInfo# Register your models here.
# style1:直接显示
#admin.site.register(NewsInfo)# style2:自定义显示
class NewsInfoAdmin(admin.ModelAdmin):list_display = ['id', 'title', 'b_date', 'read']admin.site.register(NewsInfo, NewsInfoAdmin)
  • 进行对比
    在这里插入图片描述
    在这里插入图片描述

视图函数使用

/DjStore/news/view.py

from django.shortcuts import render
from django.http import HttpResponse
# Create your views here.
"""
视图函数定义的基本要求:1、视图函数必须定义一个参数(通过命名为request)request参数:用来接受客户端的请求信息的2、视图函数的返回值必须是一个HttpResponse的对象(或者HttpResponse的子类对象)
"""
def index(request):res='this is a test'return HttpResponse(res)
  • 注册url
    /DjStore/DjStore/urls.py
from django.contrib import admin
from django.urls import path, include, re_pathurlpatterns = [path('admin/', admin.site.urls),re_path(r'^news/', include('news.urls'))
]

/DjStore/news/urls.py

from django.urls import path
from .views import index# 配置路由规则
urlpatterns = [path('index', index)
]
  • 访问测试
    在这里插入图片描述
  • 使用测试
    /DjStore/news/urls.py
from django.urls import path
from .views import index,news_list# 配置路由规则
urlpatterns = [path('index', index),path('list', news_list)
]

/DjStore/news/views.py

from django.shortcuts import render
from django.http import HttpResponse
from .models import NewsInfo# Create your views here.
"""
视图函数定义的基本要求:1、视图函数必须定义一个参数(通过命名为request)request参数:用来接受客户端的请求信息的2、视图函数的返回值必须是一个HttpResponse的对象(或者HttpResponse的子类对象)
使用流程:1、在应用的views.py定义视图函数2、配置路由1)、在项目日录的UrLs,py中关联应用下的UrLs.pyfrom django.contrib import adminfrom django.urls import path, include, re_pathurlpatterns = [path('admin/', admin.site.urls),re_path(r'^news/', include('news.urls'))]2)、在应用的目录下定义一个Urls.py文件(可以直接copy项目目录下的urls.py进来)3)、在应用的UrLs.py配置具体的访问规则from django.urls import pathfrom .views import index# 配置路由规则urlpatterns = [# http://域名(ip:端口)/news/indexpath('index', index)]
"""def index(request):res = 'this is a test'return HttpResponse(res)def news_list(request):datas = NewsInfo.objects.all()result = ''for item in datas:title = '<h1>{}</h1>'.format(item.title)result += titlereturn HttpResponse(result)

在这里插入图片描述

Django模板

  • 创建目录/templates/news与/templates/users
  • 在/DjStore/DjStore/setting.py中设置
TEMPLATES = [{'BACKEND': 'django.template.backends.django.DjangoTemplates',# 项目模板的路径'DIRS': [BASE_DIR / 'templates'],'APP_DIRS': True,'OPTIONS': {'context_processors': ['django.template.context_processors.debug','django.template.context_processors.request','django.contrib.auth.context_processors.auth','django.contrib.messages.context_processors.messages',],},},
]
  • /templates/news下,创建list.html
<!DOCTYPE html>
<html lang="en">
<head><meta charset="UTF-8"><title>新闻列表页面</title>
</head>
<body><h1 style="color: red">新闻列表页面</h1><ul><li>python</li><li>java</li><li>js</li></ul>
</body>
</html>
  • /DjStore/news/urls.py
from django.urls import path
from .views import index, news_list, list2# 配置路由规则
urlpatterns = [path('index', index),path('list', news_list),path('list2', list2)
]
  • /DjStore/news/views.py
from django.shortcuts import render
from django.http import HttpResponse
from .models import NewsInfo# Create your views here.
"""
def index(request):res = 'this is a test'return HttpResponse(res)def news_list(request):datas = NewsInfo.objects.all()result = ''for item in datas:title = '<h1>{}</h1>'.format(item.title)result += titlereturn HttpResponse(result)# 视图中使用模板文件
def list2(request):return render(request, 'news/list.html')
  • 访问测试
    在这里插入图片描述

  • 模板配置和使用规则

    1. 在项目目录下创建一个templates文件夹
    2. 在setting.py中TEMPLATES:选项中配置项目模板的根路径
      ‘DIRS’[BASE_DIR ‘templates’]
    3. 在templates中创建和应用同名的文件夹
    4. 在templates下应用同名的文件夹中创建html模板页面
    5. 在views.py中定义视图函数,并返回html模板页面
    6. 配置路由访问规则
  • 模板使用

  • /DjStore/news/views.py

# 视图中使用模板文件
def list2(request):datas = NewsInfo.objects.all()item = datas[0]info = {"title": item.title,"content": item.content,"b_date": item.b_date,"read": item.read}return render(request, 'news/list.html', info)
  • /templates/news/list.html
<!DOCTYPE html>
<html lang="en">
<head><meta charset="UTF-8"><title>新闻列表页面</title>
</head>
<body><h1 style="color: red">{{ title }}</h1><h4>发布日期:{{ b_date }},阅读量:{{ read }}</h4><pre>{{ content }}</pre>
</body>
</html>

在这里插入图片描述

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

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

相关文章

Redis应用(2)——Redis的项目应用(一):验证码 ---> UUID到雪花ID JMeter高并发测试 下载安装使用

目录 引出Redis的项目应用&#xff08;一&#xff09;&#xff1a;验证码1.整体流程2.雪花ID1&#xff09;UUID&#xff08;Universally Unique Identifier&#xff0c;通用唯一识别码&#xff09;2&#xff09;Twitter 的雪花算法&#xff08;SnowFlake&#xff09; 雪花ID优缺…

【Java】一个简单的接口例子(帮助理解接口+多态)

要求&#xff1a; 请实现笔记本电脑使用USB鼠标、USB键盘的例子 1. USB 接口&#xff1a;包含打开设备、关闭设备功能 2. 笔记本类&#xff1a;包含开机功能、关机功能、使用 USB 设备功能 3. 鼠标类&#xff1a;实现 USB 接口&#xff0c;并具备点击功能 4. 键盘类&am…

磁盘分区形式MBR与GPT介绍

磁盘分区形式MBR与GPT介绍 磁盘分区形式有两种&#xff1a; 1、MBR&#xff08;主启动记录&#xff09;形式&#xff0c;它是存在于磁盘驱动器开始部分的一个特殊的启动扇区&#xff1b; 2、GPT&#xff08;GUID分区表&#xff09;形式&#xff0c;它是一种使用UEFI启动的磁盘…

C#使用Linq和Loop计算集合的平均值、方差【标准差】

方差【标准差】 标准差公式是一种数学公式。标准差也被称为标准偏差&#xff0c;或者实验标准差&#xff0c;公式如下所示&#xff1a; 样本标准差方差的算术平方根ssqrt(((x1-x)^2 (x2-x)^2 ......(xn-x)^2)/n) 总体标准差σsqrt(((x1-x)^2 (x2-x)^2 ......(xn-x)^2)/n ) …

❤️创意网页:抖音汉字鬼抓人小游戏复刻——附带外挂(“鬼鬼定身术”和“鬼鬼消失术”)坚持60秒轻轻松松(●‘◡‘●)

✨博主&#xff1a;命运之光 &#x1f338;专栏&#xff1a;Python星辰秘典 &#x1f433;专栏&#xff1a;web开发&#xff08;简单好用又好看&#xff09; ❤️专栏&#xff1a;Java经典程序设计 ☀️博主的其他文章&#xff1a;点击进入博主的主页 前言&#xff1a;欢迎踏入…

OpenCv之图像形态学

目录 一、形态学 二、图像全局二值化 三、自适应阈值二值化 四、腐蚀操作 五、获取形态学卷积核 六、膨胀操作 七、开运算 八、闭运算 一、形态学 定义: 指一系列处理图像形状特征的图像处理技术形态学的基本思想是利用一种特殊的结构元(本质上就是卷积核)来测量或提取输…

Flink简介及部署模式

文章目录 1、Flink简介2、Flink部署2.1 本地模式2.1 Standalone模式部署2.2 Standalone模式下的高可用2.3 Yarn模式Yarn模式的高可用配置&#xff1a;yarn模式中三种子模式的区别&#xff1a; 3、并行度4、提交命令执行指定任务Application Mode VS yarn per-job 5、注意事项5、…

4.1 Bootstrap UI 编辑器

文章目录 1. Bootstrap Magic2. BootSwatchr3. Bootstrap Live Editor4. Fancy Boot5. Style Bootstrap6. Lavish7. Bootstrap ThemeRoller8. LayoutIt!9. Pingendo10. Kickstrap11. Bootply12. X-editable13. Jetstrap14. DivShot15. PaintStrap 以下是 15 款最好的 Bootstrap…

ffplay播放器剖析(5)----视频输出剖析

文章目录 1.视频输出模块1.1 视频输出初始化1.1.1 视频输出初始化主要流程1.1.2 calculate_display_rect初始化显示窗口大小 1.2 视频输出逻辑1.2.1 event_loop开始处理SDL事件1.2.2 video_refresh1.2.2.1 计算上一帧显示时长,判断是否还要继续上一帧1.2.2.2 估算当前帧显示时长…

笔记本电脑的电池健康:确保长时间使用和优异性能的关键

笔记本电脑已经成为我们日常生活中不可或缺的工具&#xff0c;无论是办公、学习还是娱乐&#xff0c;我们都依赖着它的便携性和高效性能。而在所有的硬件组件中&#xff0c;电池健康被认为是确保长时间使用和良好性能的关键因素之一。一块健康的电池不仅能提供持久的续航时间&a…

CHI协议保序之Compack保序

一致性系统中&#xff0c;使用三种保序方式&#xff1b; Completion ack response ⭕Completion acknowledgment&#xff1a; □ 该域段主要是用来&#xff0c; □ 决定 RN 发送的 trans&#xff0c;与其他 RN 发送的命令产生的 SNP 之间的顺序&#xff1b; …

MySQL存储过程——系统变量

1.存储过程中的变量 1.1 查看系统变量 查看所有的系统变量 show variables;查看会话级别的系统变量 show session variables&#xff1b;查看会话和auto相关的变量 show session variables like auto%;查看全局的和auto相关变量 show global variables like auto%;查看某一…

R语言贝叶斯METROPOLIS-HASTINGS GIBBS 吉布斯采样器估计变点指数分布分析泊松过程车站等待时间...

原文链接&#xff1a;http://tecdat.cn/?p26578 指数分布是泊松过程中事件之间时间的概率分布&#xff0c;因此它用于预测到下一个事件的等待时间&#xff0c;例如&#xff0c;您需要在公共汽车站等待的时间&#xff0c;直到下一班车到了&#xff08;点击文末“阅读原文”获取…

ext4 - delay allocation数据结构

概述 延迟分配delay allocation是ext4非常重要的特性&#xff0c;启用该特性write系统将用户空间buffer写入内存page cache中即返回&#xff0c;此时也不会真正进行磁盘block分配&#xff0c;而是延迟到磁盘回写时&#xff08;比如dirty ratio达到一定值&#xff0c;定时刷新&…

【华为c# OD机考参考答案】01---IPv4地址转换成整数

题目 1、题目 01---IPv4地址转换成整数2、解图思路 1、IP地址转为二进制 2、二进制转十进制 3、注意事项 1、IP地址的范围判断 2、空字符串判断 3、非法字符判断 4、考点 1、string的split 、convert等相关用法 2、正则表达式 3、进制转换 4、理解32位整数的意思 5、代码 判…

【NOSQL】MongoDB

MongoDB MongoDB简介体系结构Linux系统中的安装启动和连接&#xff08;1&#xff09;先到官网下载压缩包——>解压——>重命名新建几个目录&#xff0c;分别用来存储数据和日志&#xff1a;新建并修改配置文件官网下载MongoDB Compass MongoDB简介 MongoDB是一个开源、高…

C# List 详解二

目录 5.Clear() 6.Contains(T) 7.ConvertAll(Converter) ,toutput> 8.CopyTo(Int32, T[], Int32, Int32) 9.CopyTo(T[]) 10.CopyTo(T[], Int32) C# List 详解一 1.Add(T)&#xff0c;2.AddRange(IEnumerable)&#xff0c;3.AsReadOnly()&…

Matlab的GUI设计

文章目录 AppDesigner各个版本的特点mlapp文件基本格式AppDesigner的回调函数常见控件的属性MVC模式MVC模式设计GUIMVC简单使用 其他让app designer置顶将Guide的GUI导出为m文件将app编译为exe将app中的多个控件组合在一起 AppDesigner 20200328 各个版本的特点 在2017b版本中…

【JavaEE】Spring中注解的方式去获取Bean对象

【JavaEE】Spring的开发要点总结&#xff08;3&#xff09; 文章目录 【JavaEE】Spring的开发要点总结&#xff08;3&#xff09;1. 属性注入1.1 Autowired注解1.2 依赖查找 VS 依赖注入1.3 配合Qualifier 筛选Bean对象1.4 属性注入的优缺点 2. Setter注入2.1 Autowired注解2.2…

21matlab数据分析牛顿插值(matlab程序)

1.简述 一、牛顿插值法原理 1.牛顿插值多项式   定义牛顿插值多项式为&#xff1a; N n ( x ) a 0 a 1 ( x − x 0 ) a 2 ( x − x 0 ) ( x − x 1 ) ⋯ a n ( x − x 0 ) ( x − x 1 ) ⋯ ( x − x n − 1 ) N_n\left(x\right)a_0a_1\left(x-x_0\right)a_2\left(x-x_0\…