web.py 十分钟创建简易博客实现代码


Posted in Python onApril 22, 2016

一、web.py简介
web.py是一款轻量级的Python web开发框架,简单、高效、学习成本低,特别适合作为python web开发的入门框架。官方站点:http://webpy.org/

二、web.py安装
1、下载:http://webpy.org/static/web.py-0.33.tar.gz
2、解压并进入web.py-0.33目录,安装:python setup.py install

三、创建简易博客
1、目录说明:主目录blog/,模板目录blog/templates
2、在数据库“test”中创建表“entries”

CREATE TABLE entries ( 
 id INT AUTO_INCREMENT, 
 title TEXT, 
 content TEXT, 
 posted_on DATETIME, 
 primary key (id) 
);

3、在主目录创建blog.py,blog/blog.py

#载入框架
import web
#载入数据库操作model(稍后创建)
import model
#URL映射
urls = (
  '/', 'Index',
  '/view/(/d+)', 'View',
  '/new', 'New',
  '/delete/(/d+)', 'Delete',
  '/edit/(/d+)', 'Edit',
  '/login', 'Login',
  '/logout', 'Logout',
  )
app = web.application(urls, globals())
#模板公共变量
t_globals = {
 'datestr': web.datestr,
 'cookie': web.cookies,
}
#指定模板目录,并设定公共模板
render = web.template.render('templates', base='base', globals=t_globals)
#创建登录表单
login = web.form.Form(
      web.form.Textbox('username'),
      web.form.Password('password'),
      web.form.Button('login')
      )
#首页类
class Index:
 def GET(self):
  login_form = login()
  posts = model.get_posts()
  return render.index(posts, login_form)
 def POST(self):
  login_form = login()
  if login_form.validates():
   if login_form.d.username == 'admin' /
    and login_form.d.password == 'admin':
    web.setcookie('username', login_form.d.username)
  raise web.seeother('/')
#查看文章类
class View:
 def GET(self, id):
  post = model.get_post(int(id))
  return render.view(post)
#新建文章类
class New:
 form = web.form.Form(
       web.form.Textbox('title',
       web.form.notnull,
       size=30,
       description='Post title: '),
       web.form.Textarea('content',
       web.form.notnull,
       rows=30,
       cols=80,
       description='Post content: '),
       web.form.Button('Post entry'),
       )
 def GET(self):
  form = self.form()
  return render.new(form)
 def POST(self):
  form = self.form()
  if not form.validates():
   return render.new(form)
  model.new_post(form.d.title, form.d.content)
  raise web.seeother('/')
#删除文章类
class Delete:
 def POST(self, id):
  model.del_post(int(id))
  raise web.seeother('/')
#编辑文章类
class Edit:
 def GET(self, id):
  post = model.get_post(int(id))
  form = New.form()
  form.fill(post)
  return render.edit(post, form)
 def POST(self, id):
  form = New.form()
  post = model.get_post(int(id))
  if not form.validates():
   return render.edit(post, form)
  model.update_post(int(id), form.d.title, form.d.content)
  raise web.seeother('/')
#退出登录
class Logout:
 def GET(self):
  web.setcookie('username', '', expires=-1)
  raise web.seeother('/')
#定义404错误显示内容
def notfound():
 return web.notfound("Sorry, the page you were looking for was not found.")
 
app.notfound = notfound
#运行
if __name__ == '__main__':
 app.run()

4、在主目录创建model.py,blog/model.py

import web
import datetime
#数据库连接
db = web.database(dbn = 'MySQL', db = 'test', user = 'root', pw = '123456')
#获取所有文章
def get_posts():
 return db.select('entries', order = 'id DESC')
 
#获取文章内容
def get_post(id):
 try:
  return db.select('entries', where = 'id=$id', vars = locals())[0]
 except IndexError:
  return None
#新建文章
def new_post(title, text):
 db.insert('entries',
  title = title,
  content = text,
  posted_on = datetime.datetime.utcnow())
#删除文章
def del_post(id):
 db.delete('entries', where = 'id = $id', vars = locals())
 
#修改文章
def update_post(id, title, text):
 db.update('entries',
  where = 'id = $id',
  vars = locals(),
  title = title,
  content = text)

5、在模板目录依次创建:base.html、edit.html、index.html、new.html、view.html

<!-- base.html -->
$def with (page)
<html>
 <head>
  <title>My Blog</title>
  <mce:style><!--
   #menu {
    width: 200px;
    float: right;
   }
  
--></mce:style><style mce_bogus="1">   #menu {
    width: 200px;
    float: right;
   }
  </style>
 </head>
 
 <body>
  <ul id="menu">
   <li><a href="/" mce_href="">Home</a></li>
   $if cookie().get('username'):
    <li><a href="/new" mce_href="new">New Post</a></li>
  </ul>
  
  $:page
 </body>
</html>

<!-- edit.html -->
$def with (post, form)
<h1>Edit $form.d.title</h1>
<form action="" method="post">
 $:form.render()
</form>
<h2>Delete post</h2>
<form action="/delete/$post.id" method="post">
 <input type="submit" value="Delete post" />
</form>

<!-- index.html -->
$def with (posts, login_form)
<h1>Blog posts</h1>
$if not cookie().get('username'):
 <form action="" method="post">
 $:login_form.render()
 </form>
$else:
 Welcome $cookie().get('username')!<a href="/logout" mce_href="logout">Logout</a>
<ul>
 $for post in posts:
  <li>
   <a href="/view/$post.id" mce_href="view/$post.id">$post.title</a>
   on $post.posted_on
   $if cookie().get('username'):
    <a href="/edit/$post.id" mce_href="edit/$post.id">Edit</a>
    <a href="/delete/$post.id" mce_href="delete/$post.id">Del</a>
  </li>
</ul>

<!-- new.html -->
$def with (form)
<h1>New Blog Post</h1>
<form action="" method="post">
$:form.render()
</form>

<!-- view.html -->
$def with (post)
<h1>$post.title</h1>
$post.posted_on<br />
$post.content

6、进入主目录在命令行下运行:python blog.py,将启动web服务,在浏览器输入:http://localhost:8080/,简易博客即已完成。

Python 相关文章推荐
深入学习python的yield和generator
Mar 10 Python
TF-IDF算法解析与Python实现方法详解
Nov 16 Python
Django学习笔记之ORM基础教程
Mar 27 Python
Python的多维空数组赋值方法
Apr 13 Python
Sanic框架流式传输操作示例
Jul 18 Python
在Pycharm中项目解释器与环境变量的设置方法
Oct 29 Python
python爬虫获取新浪新闻教学
Dec 23 Python
django 微信网页授权登陆的实现
Jul 30 Python
利用python对excel中一列的时间数据更改格式操作
Jul 14 Python
Python Opencv轮廓常用操作代码实例解析
Sep 01 Python
python实现一个简单RPC框架的示例
Oct 28 Python
Python Serial串口基本操作(收发数据)
Nov 06 Python
在windows下快速搭建web.py开发框架方法
Apr 22 #Python
基于python实现的抓取腾讯视频所有电影的爬虫
Apr 22 #Python
Python开发之快速搭建自动回复微信公众号功能
Apr 22 #Python
Django小白教程之Django用户注册与登录
Apr 22 #Python
python中PIL安装简单教程
Apr 21 #Python
Python for Informatics 第11章之正则表达式(四)
Apr 21 #Python
Python for Informatics 第11章之正则表达式(二)
Apr 21 #Python
You might like
php5.3 goto函数介绍和示例
2014/03/21 PHP
改写ThinkPHP的U方法使其路由下分页正常
2014/07/02 PHP
Thinkphp3.2简单解决多文件上传只上传一张的问题
2017/09/26 PHP
ExtJS 2.0 GridPanel基本表格简明教程
2010/05/25 Javascript
javascript new fun的执行过程
2010/08/05 Javascript
JS函数验证总结(方便js客户端输入验证)
2010/10/29 Javascript
Google AJAX 搜索 API实现代码
2010/11/17 Javascript
js实现模拟银行卡账号输入显示效果
2015/11/18 Javascript
JS上传组件FileUpload自定义模板的使用方法
2016/05/10 Javascript
简单模拟node.js中require的加载机制
2016/10/27 Javascript
javascript中setAttribute兼容性用法分析
2016/12/12 Javascript
nodejs中模块定义实例详解
2017/03/18 NodeJs
详解使用webpack打包编写一个vue-toast插件
2017/11/08 Javascript
node+koa2+mysql+bootstrap搭建一个前端论坛
2018/05/06 Javascript
深入了解query和params的使用区别
2019/06/24 Javascript
策略模式实现 Vue 动态表单验证的方法
2019/09/16 Javascript
nuxt配置通过指定IP和端口访问的实现
2020/01/08 Javascript
使用Karma做vue组件单元测试的实现
2020/01/16 Javascript
js实现批量删除功能
2020/08/27 Javascript
在Python中使用M2Crypto模块实现AES加密的教程
2015/04/08 Python
Python socket网络编程TCP/IP服务器与客户端通信
2017/01/05 Python
Python实现的多进程和多线程功能示例
2018/05/29 Python
Python使用一行代码获取上个月是几月
2018/08/30 Python
Python使用pyautogui模块实现自动化鼠标和键盘操作示例
2018/09/04 Python
在Mac上删除自己安装的Python方法
2018/10/29 Python
Python使用random模块生成随机数操作实例详解
2019/09/17 Python
python实现QQ邮箱发送邮件
2020/03/06 Python
matplotlib自定义鼠标光标坐标格式的实现
2021/01/08 Python
快速实现一个简单的canvas迷宫游戏的示例
2018/07/04 HTML / CSS
卡骆驰新加坡官网:Crocs新加坡
2018/06/12 全球购物
单位成立周年感言
2014/01/26 职场文书
求职个人评价范文
2014/04/09 职场文书
投资建议书模板
2014/05/12 职场文书
2015年业务工作总结范文
2015/04/10 职场文书
python对文档中元素删除,替换操作
2022/04/02 Python
前端使用svg图片改色实现示例
2022/07/23 HTML / CSS