django入门项目图书管理

该项目利用了django实现了对图书的增删改查操作

步骤

1.在setting下配置好静态文件路径

STATICFILES_DIRS=[os.path.join(BASE_DIR,'static'),
]

2.models.py

from django.db import models# Create your models here.
class Book(models.Model):title = models.CharField(max_length=32, unique=True)price = models.DecimalField(max_digits=8, decimal_places=2, null=True)  # 999999.99pub_date = models.DateTimeField()publish = models.ForeignKey(to="Publish", to_field="id", on_delete=models.CASCADE)authors = models.ManyToManyField(to="Author")def __str__(self):return self.titleclass Publish(models.Model):name = models.CharField(max_length=32)email = models.CharField(max_length=32)addr = models.CharField(max_length=32)class Author(models.Model):name = models.CharField(max_length=32)age = models.IntegerField()# ad=models.ForeignKey(to="AuthorDetail",to_field="id",on_delete=models.CASCADE,unique=True)ad = models.OneToOneField(to="AuthorDetail", to_field="id", on_delete=models.CASCADE, )def __str__(self):return self.nameclass AuthorDetail(models.Model):gf = models.CharField(max_length=32)tel = models.CharField(max_length=32)class User(models.Model):name = models.CharField(max_length=32)pwd = models.CharField(max_length=32)last_time = models.DateTimeField()

3.终端面板执行数据库生成与迁移命令

python3 manage.py makemigrations
python3 manage.py migrate

4.urls.py

from django.contrib import admin
from django.urls import path,re_path
from app01 import viewsurlpatterns = [path('admin/', admin.site.urls),path('books/', views.books, name='books'),path('add_book/', views.add_book, name='add_book'),# re_path('edit_book/(?P<id>\d+)/(?P<id2>\w+)', views.edit_book, name='edit_book'),re_path('edit_book/(\d+)/', views.edit_book, name='edit_book'),re_path('del_book/', views.del_book, name='del_book'),re_path('login/', views.login, name='login'),re_path('logout/', views.logout, name='logout'),
]

5.views.py

from django.shortcuts import render, HttpResponse, redirect, reverse
from app01 import models
import json
import datetime# 装饰器,这个装饰器前提需要在inner中引入一个request形参,这里使用了args[0]来获取requset
# 对于这里,其实使用auth模块下的login_required来装饰更加方便
def required_login(func):def inner(*args, **kwargs):request= args[0]# if request.COOKIES.get('is_login'):if request.session.get('is_login'):return func(*args, **kwargs)else:if request.is_ajax():return HttpResponse(json.dumps({'status':0,'url':reverse('login')}))return redirect(reverse('login'))return inner@required_login
def books(request):books = models.Book.objects.all()return render(request, 'books.html', {'books': books})@required_login
def add_book(request):if request.method == 'POST':title = request.POST.get('name')price = request.POST.get('price')date = request.POST.get('date')publish = request.POST.get('publish')# 多个作者,使用getlistauthors = request.POST.getlist('authors')new_book = models.Book.objects.create(title=title, price=price, pub_date=date, publish_id=publish)new_book.authors.set(authors)return redirect(reverse('books'))# get请求,在前端添加默认信息publishers = models.Publish.objects.all()authors = models.Author.objects.all()return render(request, 'add_book.html',locals())# return render(request, 'add_book.html', {'publishers': publishers, 'authors': authors})@required_login
def edit_book(request, edit_id):book_obj = models.Book.objects.get(id=edit_id)if request.method == 'POST':title = request.POST.get('name')price = request.POST.get('price')date = request.POST.get('date')publish = request.POST.get('publish')authors = request.POST.getlist('authors')book_obj.title = titlebook_obj.price = pricebook_obj.pub_date = datebook_obj.publish_id = publishbook_obj.save()book_obj.authors.set(authors)# 反向解析,重定向return redirect(reverse('books'))publishers = models.Publish.objects.all()authors = models.Author.objects.all()return render(request,'edit_book.html',locals())# return render(request, 'edit_book.html', {'book_obj': book_obj, 'publishers': publishers, 'authors': authors})@required_login
def del_book(request):del_id = request.POST.get('del_id')del_list = models.Book.objects.filter(id=del_id)print(del_list)# del_list.delete()return HttpResponse(json.dumps({'status': 1}))def login(request):if request.method == 'POST':name = request.POST.get('user')pwd = request.POST.get('pwd')user_list = models.User.objects.filter(name=name, pwd=pwd)if user_list:user_obj = user_list.first()ret = redirect(reverse('books'))# ret.set_cookie('is_login', True)# ret.set_cookie('user', name)# ret.set_cookie('last_time', user_obj.last_time)request.session['is_login'] =Truerequest.session['user'] =namerequest.session['last_time'] =str(user_obj.last_time)user_obj.last_time = datetime.datetime.now().strftime('%Y-%m-%d %H:%M:%S')print(user_obj.last_time)user_obj.save()return retreturn render(request, 'login.html')def logout(request):ret = redirect(reverse('login'))# ret.delete_cookie('is_login')# ret.delete_cookie('user')# ret.delete_cookie('last_time')request.session.flush()return ret

6.模板配置(注意static中文件的导入方式)

静态文件下载路径

login.html

<!DOCTYPE html>
<html lang="en">
<head><meta charset="UTF-8"><title>Title</title><link rel="stylesheet" href="/static/plugins/bootstrap-3.3.7-dist/css/bootstrap.css"><link rel="stylesheet" href="/static/css/login.css">
</head>
<body><div class="container"><form class="form-signin" action="{% url 'login' %}" method="post">{% csrf_token %}<h2 class="form-signin-heading">请登陆</h2><label for="user" class="sr-only">Email address</label><input type="text" id="user" class="form-control" placeholder="用户名" required="" autofocus="" name="user"><label for="inputPassword" class="sr-only">密码</label><input type="password" id="inputPassword" class="form-control" placeholder="Password" required="" name="pwd"><div class="checkbox"><label><input type="checkbox" value="remember-me"> 记住我</label></div><button class="btn btn-lg btn-primary btn-block" type="submit">登陆</button></form></div> <!-- /container --></body>
</html>

books.html

<!DOCTYPE html>
<html lang="en">
<head><meta charset="UTF-8"><title>Title</title><link rel="stylesheet" href="/static/plugins/bootstrap-3.3.7-dist/css/bootstrap.css"><link rel="stylesheet" href="/static/css/books.css"><link rel="stylesheet" href="/static/plugins/sweetalert/sweetalert.css">
</head>
<body><nav class="navbar navbar-inverse navbar-fixed-top"><div class="container-fluid"><div class="navbar-header"><button type="button" class="navbar-toggle collapsed" data-toggle="collapse" data-target="#navbar"aria-expanded="false" aria-controls="navbar"><span class="sr-only">Toggle navigation</span><span class="icon-bar"></span><span class="icon-bar"></span><span class="icon-bar"></span></button><a class="navbar-brand" href="#">Project name</a></div><div id="navbar" class="navbar-collapse collapse"><ul class="nav navbar-nav navbar-right">
{#                <li><a href="#">{{ request.COOKIES.user }}</a></li>#}
{#                <li><a href="#">{{ request.COOKIES.last_time }}</a></li>#}<li><a href="#">{{ request.session.user }}</a></li><li><a href="#">{{ request.session.last_time }}</a></li><li><a href="{% url 'logout' %}">注销</a></li></ul><form class="navbar-form navbar-right"><input type="text" class="form-control" placeholder="Search..."></form></div></div>
</nav><div class="container-fluid"><div class="row"><div class="col-sm-3 col-md-2 sidebar"><ul class="nav nav-sidebar"><li class="active"><a href="#">Overview <span class="sr-only">(current)</span></a></li><li><a href="#">Reports</a></li><li><a href="#">Analytics</a></li><li><a href="#">Export</a></li></ul><ul class="nav nav-sidebar"><li><a href="">Nav item</a></li><li><a href="">Nav item again</a></li><li><a href="">One more nav</a></li><li><a href="">Another nav item</a></li><li><a href="">More navigation</a></li></ul><ul class="nav nav-sidebar"><li><a href="">Nav item again</a></li><li><a href="">One more nav</a></li><li><a href="">Another nav item</a></li></ul></div><div class="col-sm-9 col-sm-offset-3 col-md-10 col-md-offset-2 main"><a href="{% url 'add_book' %}" class="btn btn-primary">添加</a><table class="table table-hover"><thead><tr><th>序号</th><th>书名</th><th>价格</th><th>出版日期</th><th>出版社</th><th>作者</th><th>操作</th></tr></thead><tbody>{% for book in books %}<tr><th scope="row">{{ forloop.counter }}</th><td>{{ book.title }}</td><td>{{ book.price }}</td><td>{{ book.pub_date |date:'Y-m-d' }}</td><td>{{ book.publish.name }}</td><td>{#对多个作者进行效果处理#}{% for author in book.authors.all %}{% if forloop.last %}{{ author.name }}{% else %}{{ author.name }} |{% endif %}{% endfor %}</td><td><a href="{% url 'edit_book' book.id %}" class="btn btn-sm btn-warning">编辑</a><a edit_id="{{ book.id }}" class="btn btn-sm btn-danger">删除</a></td></tr>{% endfor %}</tbody></table></div></div>
</div><script src="/static/plugins/jquery-3.3.1.min.js"></script>
<script src="/static/plugins/sweetalert/sweetalert-dev.js"></script>
{% csrf_token %}
<script>$(".btn-danger").click(function () {_this = $(this)swal({title: "确定删除吗?",text: "你将无法恢复该虚拟文件!",type: "warning",showCancelButton: true,confirmButtonColor: "#DD6B55",confirmButtonText: "确定删除!",cancelButtonText: "取消删除!",closeOnConfirm: false,closeOnCancel: false},function (isConfirm) {if (isConfirm) {swal("删除!", "你的虚拟文件已经被删除。","success");$.ajax({url:{% url 'del_book' %},type: 'post',data: {del_id: _this.attr('edit_id'),csrfmiddlewaretoken: $("[name='csrfmiddlewaretoken']").val()},success: function (data) {var data = JSON.parse(data)if (data.status) {_this.parent().parent().remove()}else {window.location=data.url}}})} else {swal("取消!", "你的虚拟文件是安全的:)","error");}});})</script></body>
</html>  

add_book.html

<!DOCTYPE html>
<html lang="en">
<head><meta charset="UTF-8"><title>添加书籍</title><link rel="stylesheet" href="/static/plugins/bootstrap-3.3.7-dist/css/bootstrap.css">
</head>
<body>
<div class="container"><form class="form-horizontal" action="{% url 'add_book' %}" method="post" novalidate>{% csrf_token %}<div class="form-group"><label for="name" class="col-sm-2 control-label">书名</label><div class="col-sm-10"><input type="text" class="form-control" id="name" placeholder="name" name="name"></div></div><div class="form-group"><label for="price" class="col-sm-2 control-label">价格</label><div class="col-sm-10"><input type="number" class="form-control" id="price" placeholder="price" name="price"></div></div><div class="form-group"><label for="date" class="col-sm-2 control-label">出版日期</label><div class="col-sm-10"><input type="date" class="form-control" id="date" name="date"></div></div><div class="form-group"><label for="publish" class="col-sm-2 control-label">出版社</label><div class="col-sm-10"><select name="publish" id="publish" class="form-control">{% for publisher in publishers %}<option value="{{ publisher.id }}">{{ publisher.name }}</option>{% endfor %}</select></div></div><div class="form-group"><label for="authors" class="col-sm-2 control-label">作者</label><div class="col-sm-10"><select name="authors" id="authors" class="form-control" multiple>{% for author in authors %}<option value="{{ author.id }}">{{ author.name }}</option>{% endfor %}</select></div></div><div class="form-group"><div class="col-sm-offset-2 col-sm-10"><button type="submit" class="btn btn-default">提交</button></div></div></form></div></body>
</html>

edit_book.html

<!DOCTYPE html>
<html lang="en">
<head><meta charset="UTF-8"><title>添加书籍</title><link rel="stylesheet" href="/static/plugins/bootstrap-3.3.7-dist/css/bootstrap.css">
</head>
<body>
<div class="container"><form class="form-horizontal" action="{% url 'edit_book' book_obj.id %}" method="post" novalidate>{% csrf_token %}<div class="form-group"><label for="name" class="col-sm-2 control-label">书名</label><div class="col-sm-10"><input type="text" class="form-control" id="name" placeholder="name" name="name"value="{{ book_obj.title }}"></div></div><div class="form-group"><label for="price" class="col-sm-2 control-label">价格</label><div class="col-sm-10"><input type="number" class="form-control" id="price" placeholder="price" name="price"value="{{ book_obj.price }}"></div></div><div class="form-group"><label for="date" class="col-sm-2 control-label">出版日期</label><div class="col-sm-10"><input type="date" class="form-control" id="date" name="date"value="{{ book_obj.pub_date |date:'Y-m-d' }}"></div></div><div class="form-group"><label for="publish" class="col-sm-2 control-label">出版社</label><div class="col-sm-10"><select name="publish" id="publish" class="form-control">{% for publisher in publishers %}{% if book_obj.publish == publisher %}<option value="{{ publisher.id }}" selected>{{ publisher.name }}</option>{% else %}<option value="{{ publisher.id }}">{{ publisher.name }}</option>{% endif %}{% endfor %}</select></div></div><div class="form-group"><label for="authors" class="col-sm-2 control-label">作者</label><div class="col-sm-10"><select name="authors" id="authors" class="form-control" multiple>{% for author in authors %}{% if author in book_obj.authors.all %}<option value="{{ author.id }}" selected>{{ author.name }}</option>{% else %}<option value="{{ author.id }}">{{ author.name }}</option>{% endif %}{% endfor %}</select></div></div><div class="form-group"><div class="col-sm-offset-2 col-sm-10"><button type="submit" class="btn btn-default">提交</button></div></div></form></div></body>
</html>

2.基于forms组件实现的增删改查

   软文链接

  

  

转载于:https://www.cnblogs.com/LearningOnline/articles/9350794.html

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

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

相关文章

用gdb搞清楚一道union相关的面试题

题目并不是特别新鲜&#xff0c;不过这个题目在面试上肯定能筛选一大波人&#xff0c;特别是&#xff0c;有的题目大家看到很多次&#xff0c;但是每次都是简单看看&#xff0c;没有深入分析&#xff0c;结果笔试遇到差不多一样的题目时&#xff0c;自己又傻逼了。搞C语言&…

超级详细Tcpdump 的用法

第一种是关于类型的关键字&#xff0c;主要包括host&#xff0c;net&#xff0c;port, 例如 host 210.27.48.2&#xff0c;指明 210.27.48.2是一台主机&#xff0c;net 202.0.0.0 指明 202.0.0.0是一个网络地址&#xff0c;port 23 指明端口号是23。如果没有指定类型&#xff0…

噪声控制简史,以及几个简单的声学概念

文 | 子鱼编辑 | 贰沐 子鱼前言前段时间无意中发现了一个非常棒的声学教育平台&#xff08;acoucou.org&#xff09;&#xff0c;里边内容非常丰富&#xff0c;涉猎面很广&#xff0c;同时又有很多基础知识。不仅可以给不了解声学的人领路&#xff0c;也可以给声学从业人员带来…

魔戒(思维+bfs)

Description 蓝色空间号和万有引力号进入了四维水洼&#xff0c;发现了四维物体--魔戒。 这里我们把飞船和魔戒都抽象为四维空间中的一个点&#xff0c;分别标为 "S" 和 "E"。空间中可能存在障碍物&#xff0c;标为 "#"&#xff0c;其他为可以通…

php循环读取mysql_PHP无限循环获取MySQL数据

本篇文章主要介绍PHP无限循环获取MySQL数据的方法&#xff0c;感兴趣的朋友参考下&#xff0c;希望对大家有所帮助。具体如下&#xff1a;public function get_data($limit){$sql"select * from ((select id,name from mytable limit {$limit},10) union all (select id,n…

熬夜给这个C语言游戏项目找了几个bug

晚上看到一个非常有意思的C语言游戏项目&#xff0c;这个项目完全都是用C语言写的&#xff0c;而且资料也比较齐全&#xff0c;有github资料&#xff0c;也有QQ群。它的项目介绍是这样的&#xff1a;哦&#xff0c;还有它的官网http://painterengine.com/index.html还有它的git…

三个监控linux网卡流量脚本

脚本1&#xff1a;#!/bin/bashe0_in_old$(ifconfig eth0 |grep bytes |awk {print $2" "$6} |egrep -o [0-9] |head -n1)e0_out_old$(ifconfig eth0 |grep bytes |awk {print $2" "$6} |egrep -o [0-9] |tail -n1)>e0_total_old$(($e0_in_old $e0_out_…

laravel 服务提供者

1.创建服务提供者命令 php artisan make:provider 名称 2.绑定服务 //单例绑定 $this->app->singleton(b, function () {return new \App\Http\Services\Bservice; });//普通绑定 $this->app->bind(b, function () {return new \App\Http\Services\Bservice; }); 服…

怎么算掌握了mysql_MySQL你必须掌握了解的锁知识!

一、前言MySQL 的锁按照范围可以分为全局锁、表锁、行锁&#xff0c;其中行锁是由数据库引擎实现的&#xff0c;并不是所有的引擎都提供行锁&#xff0c;MyISAM 就不支持行锁&#xff0c;所以文章介绍行锁会以InnoDB引擎为例来介绍。二、全局锁MySQL 提供全局锁来对整个数据库实…

我学机械的可以转嵌入式吗?

▼点击下方名片&#xff0c;关注公众号▼编排 | strongerHuang微信公众号 | 嵌入式专栏前几天&#xff0c;有读者在后台问&#xff0c;他是一个机械专业的学生&#xff0c;想转到嵌入式方向&#xff0c;问我有没有必要转&#xff1f;如果转嵌入式该怎么学&#xff1f;今天我们特…

JavaScript 正则表达式(RegExp对象、属性、方法、String支持)

内容来源&#xff1a;JavaScript RegExp 对象参考手册 http://www.w3school.com.cn/js/jsref_obj_regexp.asp RegExp 对象 RegExp 对象属性 RegExp 对象方法 支持正则表达式的 String 对象的方法 RegExp 对象 RegExp 对象表示正则表达式&#xff0c;它是对字符串执行模式匹配…

入门物联网还得靠嵌入式

小米在十一周年的发布会上&#xff0c;展示了一个新产品&#xff1a;CyberDog仿生四足机器人“铁蛋”&#xff0c;继腾讯X实验室的四足机器人MAX后&#xff0c;小米也开始跨界入局尝试研制机器狗。2020年国家会议召开&#xff0c;加快推动新基建建设&#xff0c;各产业进行数字…

mysql中定时任务_mysql中定时任务的用法

1.什么是事件一组SQL集&#xff0c;用来执行定时任务&#xff0c;跟触发器很像&#xff0c;都是被动执行的&#xff0c;事件是因为时间到了触发执行&#xff0c;而触发器是因为某件事件(增删改)触发执行&#xff1b;mqsql的事件类似于linux的定时任务&#xff0c;不过是完全在m…

一文看懂 | 内存交换机制

本文基于 Linux-2.4.16 内核版本由于计算机的物理内存是有限的, 而进程对内存的使用是不确定的, 所以物理内存总有用完的可能性. 那么当系统的物理内存不足时, Linux内核使用什么方案来避免申请不到物理内存这个问题呢?相对于内存来说, 磁盘的容量是非常大的, 所以Linux内核实…

无论是cisco还是华三的书上对于子网划分有个问题需要解释

无论是cisco还是华三的书上对于子网划分有个问题&#xff0c;例如&#xff1a;如果子网为有五位 &#xff0c;则可以划分为30个子网。在实际中却不是这样的 子网位五位&#xff0c;可以划分为32个子网。那为什么这么写&#xff0c;难道是出书的人写错了&#xff0c;其实不是。这…

mysql online ddl 5.6_MySQL 5.6的Online DDL功能测试

online DDL的前身是 innodb fast index creation(5.1和5.5), 5.6里对这个功能做了扩展&#xff1a;很多alter table的操作绕开了 table copying&#xff0c;支持DML并发操作。一、online ddl的支持测试&#xff1a;1、主键的增删主键添加&#xff1a;支持online ddl&#xff0c…

Stupid cat Doge (分形图)

【题目描述】 【题目链接】 http://noi.openjudge.cn/ch0204/8463/ 【算法】 为求等级N下的点的坐标可由几何关系找到其与等级N-1下对应点的关系&#xff0c;然后递归直至所有点的祖先&#xff08;等级0&#xff09;即可计算出坐标。 【代码】 1 #include <bits/stdc.h>2…

电赛时,如何快速搭建电路?

大家好&#xff0c;我是张巧龙&#xff0c;电赛只有四天三夜&#xff0c;电路方案可能需要多次验证&#xff0c;有的同学选择直接洞洞板焊接&#xff0c;自行跳线。有些同学可能会选择雕刻机雕刻。我带的学生一般会使用传统工艺-腐蚀法&#xff0c;这种方法的优点&#xff0c;成…

船舶自动识别系统(AIS)

摘要&#xff1a;在对船载自动识别系统&#xff08;AIS&#xff09;的功能研究的基础之上&#xff0c;研究了对GPS&#xff0c;ECDIS&#xff0c;ARPA&#xff0c;VTS&#xff0c;VDR&#xff0c;CHISREP&#xff0c;航标&#xff0c;物流&#xff0c;船-岸信息网等航运及海事管…

mysql安装包脚本之家_CentOS 7 MySQL5.7 TAR包解压 全自动化脚本

准备工作tar安装包&#xff1a;默认已经下载好mysql 安装包&#xff0c;名称为&#xff1a; mysql-5.7.21-linux-glibc2.12-x86_64.tar.gz &#xff0c;我的安装包位置&#xff1a;/root 。我服务器没有网络&#xff0c;只能通过sftp上传。安装位置&#xff1a;mysql程序安装路…