Flask小demo---代码统计系统
功能要求:
管理员登录 # 第一天
班级管理 # 第一天
学生管理 # 第一天
学生登录
上传代码(zip文件和.py文件)
查看个人提交记录列表
highchar统计
学生列表上方使用柱状图展示现班级所有人代码总数
学生提交记录列表上方使用折线图展示所有的提交记录
参考表结构(MySQL+pymysql):
管理员表
ID 用户名 密码 邮箱 班级表
ID 班级名称 学生表
ID 学生姓名 班级ID 提交记录表
ID 学生ID 提交日期 代码行数 创建数据库语句
create database statisticalrow;
use statisticalrow create table manager(
id int primary key auto_increment,
name char(32) not null,
password char(32) not null,
email varchar(30) not null); create table student(
id int primary key auto_increment,
name char(20) not null,
password char(32) not null,
class_id int,
foreign key(class_id) references class(id)); create table class(
id int primary key auto_increment,
classname char(40) not null); create table recordchart(
id int primary key auto_increment,
stu_id int,
put_date datetime not null,
row_count int not null);
代码(没有使用blueprint):
import os
import zipfile
from datetime import datetime
from functools import wraps
import pymysql
from pymysql.err import IntegrityError
from flask import Flask,render_template,request,redirect,session # 1.建立数据库连接
conn = pymysql.connect(
host="127.0.0.1",
port=3306,
user="root",
password="",
database="statisticalrow"
) # 2. 生成游标
cursor = conn.cursor()
# 上传文件路径
PROJECT_DIR = os.getcwd()
UPLOAD_FOLDER = 'uploads/demo/'
ALLOWED_EXTENSIONS = set(['txt', 'py', 'zip', 'html', 'js', 'css']) app = Flask(__name__)
app.secret_key = 'salt' def islogin(func):
@wraps(func)
def inner(*args,**kwargs):
if not session.get('username'):
return redirect('/login')
ret = func(*args,**kwargs)
return ret
return inner def auth(func):
@wraps(func)
def inner(*args, **kwargs):
userIdentity = session.get('userIdentity')
if not session.get('username'):
return redirect('/login')
if not userIdentity:
return redirect('/login')
if userIdentity != 1:
return redirect('/authwrong')
ret = func(*args, **kwargs)
return ret
return inner @app.route('/login',methods=["GET","POST"])
def login():
if request.method == 'GET':
return render_template("login.html")
else:
username = request.form.get("username")
password = request.form.get("password")
userIdentity = 0
# 3. 执行sql
# sql = "select * from student where name = '%s' and password = '%s';"%(username,password)
# sql = 'select * from userinfo where name = %s and pwd=%s;'
sql = "select * from student where name = %s and password = %s;" ret = cursor.execute(sql,[username,password]) if not ret:
sql = "select * from manager where name = %s and password = %s;"
ret = cursor.execute(sql, [username, password])
if not ret:
context = {
"msg": "用户名或密码错误"
}
username=""
password=""
userIdentity = 0
return render_template('login.html',**context)
userIdentity = 1 #老师
else:
userIdentity = 2 #学生 # 将用户信息放入cookie和session session['username'] = username
if userIdentity == 2:
cursor.execute("select classname from class where id = (select class_id from student where name = '%s');"%(username))
session['coursename'] = str(cursor.fetchone()[0])
session['userIdentity'] = userIdentity
# print( "学生" if userIdentity == 2 else "老师")
return redirect("/index") #查看所有班级
@app.route("/showclass")
@auth
def showClass():
sql = "select * from class"
cursor.execute(sql)
all_data = cursor.fetchall()
return render_template("showclass.html",all_data=all_data) @app.route("/editclass",methods=["GET","POST"])
@auth
def editClass(): if request.method == "GET":
class_id = request.args.get("class_id")
sql = "select * from class where id = %s"%(class_id)
cursor.execute(sql)
class_data = cursor.fetchall()[0]
return render_template("editclass.html",class_data=class_data) if request.method == "POST":
class_id = request.form.get("class_id")
classname = request.form.get("classname")
sql = "update class set classname = '%s' where id = %s" % (classname,class_id)
cursor.execute(sql)
# 注意:保存结果
conn.commit() return redirect("/showclass") @app.route("/addclass",methods=["GET","POST"])
@auth
def addClass():
if request.method == "GET":
return render_template("addclass.html") classname = request.form.get("classname")
sql = "insert into class (classname) values ('%s')"%(classname)
cursor.execute(sql)
# 注意:保存结果 涉及操作都要提交
conn.commit()
return redirect("/showclass") @app.route("/delclass")
@auth
def delClass():
class_id = request.args.get("class_id")
sql = "delete from class where id=%s;"%(class_id)
cursor.execute(sql)
# 注意:保存结果 涉及操作都要提交
conn.commit()
return redirect("/showclass") #学生管理
@app.route("/showstu")
@auth
def showStu():
sql = "select * from student"
cursor.execute(sql)
all_data = cursor.fetchall() #((1, 'wei', 1, '123'), (2, 'heng', 2, '123'), (3, 'hengheng', 3, '123'))
stu_data = []
for item in all_data:
sql = "select classname from class where id=%s"%(item[2])
cursor.execute(sql)
classname = cursor.fetchone()[0]
stu_data.append((item[0],item[1],classname,item[3]))
return render_template("showStu.html",all_data=stu_data) @app.route("/editstu",methods=["GET","POST"])
@auth
def editStu(): if request.method == "GET":
stu_id = request.args.get("stu_id")
sql = "select * from student where id = %s"%(stu_id)
cursor.execute(sql)
stu_data = cursor.fetchall()[0]
classsql = "select * from class"
cursor.execute(classsql)
class_data = cursor.fetchall() context = {
"stu_data":stu_data,
"class_data":class_data, } return render_template("editstu.html",**context)
if request.method == "POST":
stu_id = request.form.get("stu_id")
classinfo = request.form.get("classinfo") sql = "update student set class_id = '%s' where id = %s" % (classinfo,stu_id)
cursor.execute(sql)
# # 注意:保存结果
conn.commit() return redirect("/showstu") @app.route("/addstu",methods=["GET","POST"])
@auth
def addStu():
if request.method == "GET":
#获取所有的班级
classsql = "select * from class" cursor.execute(classsql)
class_data = cursor.fetchall() context = {
"class_data": class_data,
} return render_template("addstu.html",**context) username= request.form.get("username")
password = request.form.get("password")
classinfo = request.form.get("classinfo")
sql = "insert into student(name,class_id,password) values ('%s','%s','%s')"%(username,classinfo,password)
cursor.execute(sql)
conn.commit() return redirect('/showstu') @app.route("/delstu")
@auth
def delStu():
stu_id = request.args.get("stu_id")
sql = "delete from student where id = '%s'"%(stu_id)
cursor.execute(sql)
conn.commit()
return redirect('/showstu') @app.route('/index')
@islogin
def index():
# 判断是学生,还是老师
# 如果是学生,重定向到 /stuindex
userIdentity = session.get('userIdentity')
if userIdentity == 1:
return redirect('/manindex')
elif userIdentity == 2:
return redirect('/stuindex')
else:
return redirect('/login') @app.route('/stuindex',methods=["GET","POST"])
@islogin
def stuindex():
if request.method == "GET":
return render_template("stuindex.html")
classname = session.get('coursename')
username = session.get('username')
file = request.files['file'] #ALLOWED_EXTENSIONS
filename = file.filename if not filename.split(".")[1] in ALLOWED_EXTENSIONS:
return "文件类型错误" path = PROJECT_DIR + os.sep + UPLOAD_FOLDER
os.chdir(path)
path = os.getcwd() + os.sep + classname + os.sep + username if not os.path.exists(path):
os.makedirs(classname + os.sep + username) save_path = os.path.join(path, filename)
# f = open(save_path, 'wb')
with open(save_path,'wb') as f:
file.save(f) # ret = file.save(f)
# 判断是否是zip包 if filename.split(".")[1] == "zip":
# # 将zip包解压
print(filename)
zippath = path + os.sep + filename
os.chdir(path + os.sep) zipFile = zipfile.ZipFile(""+ filename +"", mode="r")
if not os.path.exists(os.getcwd() + os.sep + filename.split(".")[0]):
os.makedirs(os.getcwd() + os.sep + filename.split(".")[0])
os.chdir(os.getcwd() + os.sep + filename.split(".")[0])
for name in zipFile.namelist():
utf8name = name.encode('cp437').decode('gbk')
# print("Extracting" + utf8name)
pathname = os.path.dirname(utf8name)
if not os.path.exists(pathname) and pathname != "":
os.makedirs(pathname)
data = zipFile.read(name)
if not os.path.exists(utf8name):
fo = open(utf8name, "wb")
fo.write(data)
fo.close()
count = 1
for dirpath, dirnames, filenames in os.walk(os.getcwd()):
for filepath in filenames:
filepath = os.path.join(dirpath, filepath)
print(filepath)
with open(filepath, 'rb') as f:
for line in f.readlines():
print(line)
count = count + 1 stu_id = 0
put_date = "" sql = "select id from student where name = '%s'"%(username)
cursor.execute(sql)
stu_id = cursor.fetchone()[0]
put_date = datetime.strptime('Apr-16-2017 21:01:35', '%b-%d-%Y %H:%M:%S') # sql = "select * from student where name = %s and password = %s;" # ret = cursor.execute(sql, [username, password])
try:
sql2 = "insert into recordchart (stu_id, put_date, row_count) values (%s,%s,%s);"
cursor.execute(sql2,[stu_id,put_date,count]) conn.commit()
except IntegrityError as e:
msg = "今日已提交!"
context={
"msg":msg,
"tag":2
}
return render_template("wrong.html",**context) return "上传成功!,demo行数:" + str(count) count = 0
with open(save_path, 'r') as f:
for line in f.readlines():
count = count + 1 return "上传成功!,demo行数:" + str(count) @app.route('/manindex')
@islogin
def manindex():
return "老师主页" @app.route('/authwrong')
def authwrong():
msg = "权限不足"
context = {
"msg": msg,
"tag": 1
}
return render_template("wrong.html",**context) @app.route('/loginout')
def loginout():
del session['username']
return "删除成功"
if __name__ == "__main__":
app.run()
Flask小demo---代码统计系统的更多相关文章
- 1.6 flask应用: 代码统计系统
2019-1-6 15:57:18 今天的是做了一个代码统计的demo 使用了数据库的连接池 参考连接 https://www.cnblogs.com/wupeiqi/articles/8184686 ...
- 写了一个类似与豆瓣的电影的flask小demo
先展示页面 基本的功能是都已经实现了,更多那个地方是可以点的.只不过视频上面还用的宏,哎呀,感觉麻烦.有多麻烦呢,需要先定义一个宏,然后进行引用.我们才能是用,以我的观点,还不如直接是一个循环完事.. ...
- Android -BLE蓝牙小DEMO
代码地址如下:http://www.demodashi.com/demo/13890.html 原文地址: https://blog.csdn.net/vnanyesheshou/article/de ...
- jsoup爬虫简书首页数据做个小Demo
代码地址如下:http://www.demodashi.com/demo/11643.html 昨天LZ去面试,遇到一个大牛,被血虐一番,发现自己基础还是很薄弱,对java一些原理掌握的还是不够稳固, ...
- 仿百度下拉关键词,和关键词的小demo
自己做项目时用到的仿百度下拉关键词 代码: $(function(){ var oTxt = document.getElementById('search_text'); oTxt.onkeyup ...
- js特效 15个小demo
js特效和15个小demo 代码如下:images文件夹未上传 1.图片切换: <!DOCTYPE html> <html> <head> <title> ...
- 好用的代码统计小工具SourceCounter(下载)
SourceCounter下载链接 https://pan.baidu.com/s/12Cg51L0hRn5w-m1NQJ-Xlg 提取码:i1cd 很多时候我们需要统计自己所写的代码的数量.举个栗子 ...
- Ztree小demo用于系统授权
本示例只做到指定id用户的拥有的权限回显,并能动态获得ztree中重新选择的权限id.(至于权限的更新,就是后台人员对象和权限对象建立关系的过程,不做展示) 第一步:拼写jsp页面(下载ztree包, ...
- Nancy之基于Self Hosting的补充小Demo
前面把Hosting Nancy with ASP.NET.Self Hosting Nancy和Hosting Nancy with OWIN 以demo的形式简单描述了一下. 这篇是为Self H ...
随机推荐
- SpringBoot项目部署进阶
一.war包部署 通过“云开发”平台初始化的SpringBoot项目默认采用jar形式打包,这也是我们推荐的方式.但是,因为某些原因,软件需求方特别要求用war形式打包,我们该怎么做? 1.项目尚未开 ...
- Alpha 冲刺 —— 十分之七
队名 火箭少男100 组长博客 林燊大哥 作业博客 Alpha 冲鸭鸭鸭鸭鸭鸭鸭! 成员冲刺阶段情况 林燊(组长) 过去两天完成了哪些任务 协调各成员之间的工作 学习MSI.CUDA 试运行软件并调试 ...
- Fork/Join框架实现原理
ForkJoinPool由ForkJoinTask数组和ForkJoinWorkerThread数组组成,ForkJoinTask数组负责存放程序提交给ForkJoinPool的任务,而ForkJoi ...
- 【uoj129】 NOI2015—寿司晚宴
http://uoj.ac/problem/129 (题目链接) 题意 给出2~n这n-1个数,求选2个集合,使得从两集合中任意各选取1个数出来它们都互质.求方案数. Solution PoPoQQQ ...
- bzoj 1539: [POI2005]Dwu-Double-row
假设一列交换表示为1,不换表示为0. 身高相同的两个人相当于给其中两列了一个限制条件,要么是两个必须相等,要么一个为零一个为一. 有了关系后我们就可以把每列当成一个点建边,边权为0表示必须相同,1为必 ...
- 关于2-SAT
其实以前写过关于$2-SAT$的,但是那时的自己太懵懂了. 这是以前写过的文章link 关于$2-SAT$,其实就想说两件事情. $2-SAT$边建立的逻辑 $2-SAT$边建立的逻辑是必须关系,若$ ...
- 团体程序设计天梯赛 L3-016. 二叉搜索树的结构
#include <cstdio> #include <cstdlib> #include <string.h> #include <math.h> # ...
- string 中的一些优化事项
1.1 fmt vs "+" (无转义) import ( "testing" "fmt" ) var ( str = "he ...
- Hadoop生态圈-phoenix的视图(view)管理
Hadoop生态圈-phoenix的视图(view)管理 作者:尹正杰 版权声明:原创作品,谢绝转载!否则将追究法律责任.
- new FileInputStream(file)中file不能为文件夹
今天闲来无事,写了如下程序: package com.xhj.test; import java.io.File; import java.io.FileFilter; import java.io. ...