python之Bottle框架

一、简单的Bottle框架

1)bottle框架简介

安装 pip install bottle
Bottle是一个快速、简洁、轻量级的基于WSIG的微型Web框架。
此框架只由一个 .py 文件,除了Python的标准库外,其不依赖任何其他模块。

bottle简介

2)bottle框架的组成部分

1、路由系统,将不同请求交由指定函数处理
2、模板系统,将模板中的特殊语法渲染成字符串,值得一说的是Bottle的模板引擎可以任意指定:Bottle内置模板、mako、jinja2、cheetah
3、公共组件,用于提供处理请求相关的信息,如:表单数据、cookies、请求头等
4、服务,Bottle默认支持多种基于WSGI的服务

bottle框架的组成部分

Bottle默认支持多种基于WSGI的服务

server_names = {
    ‘cgi‘: CGIServer,
    ‘flup‘: FlupFCGIServer,
    ‘wsgiref‘: WSGIRefServer,
    ‘waitress‘: WaitressServer,
    ‘cherrypy‘: CherryPyServer,
    ‘paste‘: PasteServer,
    ‘fapws3‘: FapwsServer,
    ‘tornado‘: TornadoServer,
    ‘gae‘: AppEngineServer,
    ‘twisted‘: TwistedServer,
    ‘diesel‘: DieselServer,
    ‘meinheld‘: MeinheldServer,
    ‘gunicorn‘: GunicornServer,
    ‘eventlet‘: EventletServer,
    ‘gevent‘: GeventServer,
    ‘geventSocketIO‘:GeventSocketIOServer,
    ‘rocket‘: RocketServer,
    ‘bjoern‘ : BjoernServer,
    ‘auto‘: AutoServer,
}

WSGI的服务

3)框架的基本使用

#!/usr/bin/env python
# -*- coding:utf-8 -*-

from bottle import template,Bottle

root = Bottle()

@root.route(‘/hello‘)
def index():
    # return "Hello World"
    return template(‘<b>Hello {{ name }}</b>!‘,name="user")

root.run(host=‘localhost‘,port=8080)

bottle简单使用

访问:  http://localhost:8080/hello

4)对于form表单提前,python后端取值

<!DOCTYPE html>
<html lang="en">
<head>
    <meta charset="UTF-8">
    <title>login</title>
</head>
<body>
    <h1>Bottle登录系统</h1>
    <form action="/login/" method="POST">
        <input type="text" name="user" placeholder="用户名"/>
        <input type="password" name="pwd" placeholder="密码"/>
        <input type="submit" value="提交"/>
    </form>
</body>
</html>

login.html

@root.route(‘/login/‘,method=["POST","GET"])
def login():
    if request.method == "GET":
        return template(‘login.html‘)
    else:
        u = request.forms.get(‘user‘)
        p = request.forms.get(‘pwd‘)
        return redirect(‘/index/‘)

request.forms.get()取值

二 、路由系统

1)静态路由

@root.route(‘/hello/‘)
def index():
    return template(‘<b>Hello {{name}}</b>!‘, name="User")

静态路由

2)动态路由

@root.route(‘/wiki/<pagename>‘)
def callback(pagename):
    ...

@root.route(‘/object/<id:int>‘)
def callback(id):
    ...

@root.route(‘/show/<name:re:[a-z]+>‘)
def callback(name):
    ...

@root.route(‘/static/<path:path>‘)
def callback(path):
    return static_file(path, root=‘static‘)

动态路由

3)请求方法路由

@root.route(‘/hello/‘, method=‘POST‘)
def index():
    ...

@root.get(‘/hello/‘)
def index():
    ...

@root.post(‘/hello/‘)
def index():
    ...

@root.put(‘/hello/‘)
def index():
    ...

@root.delete(‘/hello/‘)
def index():
    ...

# 第一种,写在一起
@root.route(‘/login/‘,method=["POST","GET"])
def login():
    if request.method == "GET":
        return template(‘login.html‘)
    else:
        return redirect(‘/index/‘)

# 第二种,分开写
@root.route(‘/login/‘,method="POST")
def index():
    return template(‘login.html‘)

@root.route(‘/login/‘,method="GET")
def index():
    return template(‘login.html‘)

请求方法路由

4)二级路由,路由分发

主路由编辑

#!/usr/bin/env python
# -*- coding:utf-8 -*-
from bottle import template, Bottle
from bottle import static_file
root = Bottle()

@root.route(‘/hello/‘)
def index():
    return template(‘<b>Root {{name}}</b>!‘, name="Alex")

from framwork_bottle import app01
from framwork_bottle import app02

root.mount(‘app01‘, app01.app01)
root.mount(‘app02‘, app02.app02)

root.run(host=‘localhost‘, port=8080)

总路由编辑

二级路由编辑

#!/usr/bin/env python
# -*- coding:utf-8 -*-
from bottle import template, Bottle

app01 = Bottle()

@app01.route(‘/hello/‘, method=‘GET‘)
def index():
    return template(‘<b>App01</b>!‘)

二级路由

三、模板系统

1)配置模板使用路径

import bottle
bottle.TEMPLATE_PATH.append(‘./templates/‘)

2)模板语言的常用方法

2.1)前后端结合

路由传值给前端模板

@root.route(‘/index/‘,method="GET")
def index():
    user_list = [
        {‘id‘:1,‘name‘:‘root‘,‘age‘:18},
        {‘id‘:1,‘name‘:‘root‘,‘age‘:18},
        {‘id‘:1,‘name‘:‘root‘,‘age‘:18},
        {‘id‘:1,‘name‘:‘root‘,‘age‘:18},
    ]
    return template(‘index.html‘,name=‘superbody‘,user_list=user_list)

python后端传值

前端调用值

<!DOCTYPE html>
<html lang="en">
<head>
    <meta charset="UTF-8">
    <title>index</title>
</head>
<body>
<ul>
    <!--for循环-->
    {{name}}
    % for item in user_list:
    <li>{{item[‘id‘]}}-{{item[‘name‘]}}</li>
    % end

    <!--自定义常量-->
    % laogao = "guaizi"
    {{laogao}}
</ul>

<!--有值就取,没值就默认-->
<div>{{get(‘age‘,‘123‘)}}</div>
</body>
</html>

index.html

2.2)include 引用文件的标签

<h1>{{title}}</h1>

被引用的文件,tpl.html

<!DOCTYPE html>
<html lang="en">
<head>
    <meta charset="UTF-8">
    <title>Title</title>
</head>
<body>
    <!--引用文件,赋值-->
    % include(‘tpl.html‘,title=‘搞事情‘)
</body>
</html>

index.html调用tpl.html

2.3) rebase 引用文件的标签

<html>
<head>
  <title>{{title or ‘No title‘}}</title>
</head>
<body>
  {{!base}}
</body>
</html>

base.html

导入基础模板

% rebase(‘base.tpl‘, title=‘Page Title‘)
<p>Page Content ...</p>

2.4)常用方法归纳

1、单值
2、单行Python代码
3、Python代码快
4、Python、Html混合

示例

<h1>1、单值</h1>
{{name}}

<h1>2、单行Python代码</h1>
% s1 = "hello"

<h1>3、Python代码块</h1>
<%
    # A block of python code
    name = name.title().strip()
    if name == "Alex":
        name="seven"
%>

<h1>4、Python、Html混合</h1>

% if True:
    <span>{{name}}</span>
% end
<ul>
  % for item in name:
    <li>{{item}}</li>
  % end
</ul>

html模板语音归纳

2.5)如果没有该值的情况下的默认值设置

# 检查当前变量是否已经被定义,已定义True,未定义False
defined(name)

# 获取某个变量的值,不存在时可设置默认值
get(name, default=None)
<div>{{get(‘age‘,‘123‘)}}</div>

# 如果变量不存在时,为变量设置默认值
setdefault(name, default)

默认值

2.6){{ wupeiqi() }} 。定义函数,python后端定义函数,html前端调用函数执行

#!/usr/bin/env python
# -*- coding:utf-8 -*-
from bottle import template, Bottle,SimpleTemplate
root = Bottle()

def custom():
    return ‘123123‘

@root.route(‘/hello/‘)
def index():
    # 默认情况下去目录:[‘./‘, ‘./views/‘]中寻找模板文件 hello_template.html
    # 配置在 bottle.TEMPLATE_PATH 中
    return template(‘hello_template.html‘, name=‘alex‘, wupeiqi=custom)

root.run(host=‘localhost‘, port=8080)

main.py

<!DOCTYPE html>
<html>
<head lang="en">
    <meta charset="UTF-8">
    <title></title>
</head>
<body>
    <h1>自定义函数</h1>
    {{ wupeiqi() }}

</body>
</html>

hello_template.html

2.6.1){{ !wupeiqi() }}。渲染引用的html标签

被调用的python函数

def custom():
    return ‘<h1>hello world</h1>‘

前端使用

<body>
    <h1>自定义函数</h1>
    {{ !wupeiqi() }}
</body>

2.7)替换模板。

from  bottle import jinja2_template
@root.route(‘/login/‘,method=["POST","GET"])
def login():
    return jinja2_template(‘login.html‘)

替换模板

jinja2_template模板与django模板使用一样

四、公共组件

1)request:Bottle中的request其实是一个LocalReqeust对象,其中封装了用户请求的相关信息

request.headers
    请求头信息

request.query
    get请求信息

request.forms
    post请求信息

request.files
    上传文件信息

request.params
    get和post请求信息

request.GET
    get请求信息

request.POST
    post和上传信息

request.cookies
    cookie信息

request.environ
    环境相关相关

请求信息

2)response:Bottle中的request其实是一个LocalResponse对象,其中框架即将返回给用户的相关信息

response
    response.status_line
        状态行

    response.status_code
        状态码

    response.headers
        响应头

    response.charset
        编码

    response.set_cookie
        在浏览器上设置cookie

    response.delete_cookie
        在浏览器上删除cookie

五、Bottle支持的WSGI

server_names = {
    ‘cgi‘: CGIServer,
    ‘flup‘: FlupFCGIServer,
    ‘wsgiref‘: WSGIRefServer,
    ‘waitress‘: WaitressServer,
    ‘cherrypy‘: CherryPyServer,
    ‘paste‘: PasteServer,
    ‘fapws3‘: FapwsServer,
    ‘tornado‘: TornadoServer,
    ‘gae‘: AppEngineServer,
    ‘twisted‘: TwistedServer,
    ‘diesel‘: DieselServer,
    ‘meinheld‘: MeinheldServer,
    ‘gunicorn‘: GunicornServer,
    ‘eventlet‘: EventletServer,
    ‘gevent‘: GeventServer,
    ‘geventSocketIO‘:GeventSocketIOServer,
    ‘rocket‘: RocketServer,
    ‘bjoern‘ : BjoernServer,
    ‘auto‘: AutoServer,
}

wsgi服务

使用时,只需在主app执行run方法时指定参数即可:

#!/usr/bin/env python
# -*- coding:utf-8 -*-
from bottle import Bottle
root = Bottle()

@root.route(‘/hello/‘)
def index():
    return "Hello World"
# 默认server =‘wsgiref‘,性能最差,测试专用
root.run(host=‘localhost‘, port=8080, server=‘wsgiref‘)

main.py

使用Python内置模块wsgiref,如果想要使用其他时,则需要首先安装相关类库,然后才能使用

六、数据库操作

可手写orm框架,或者pymysql使用

原文出处:https://www.cnblogs.com/wupeiqi/articles/5341480.html

原文地址:https://www.cnblogs.com/linu/p/9693793.html

时间: 2024-10-12 15:25:40

python之Bottle框架的相关文章

【Python】Bottle框架下Python Web开发的跨域访问

上一篇文章中介绍了Python应用Bottle轻量级框架进行Web开发,这次介绍Bottle框架下的跨域访问的问题. 当前台跨域访问时,会无法从后台得到数据,也就是说跨域访问失败. 解决办法如下: 在程序中定义一个函数代码如下: #!/usr/bin/python # -*- conding:utf-8 -*- from bottle import * #decorator def allow_cross_domain(fn): def _enable_cors(*args, **kwargs)

Python之Bottle框架使用

本文主要包含的内容是Bottle框架介绍和安装使用. 一.Bottle框架介绍 Bottle是一个快速小巧,轻量级的 WSGI 微型 web 框架.同时Bottle也是一个简单高效的遵循WSGI的微型python Web框架. 说微型,是因为它只有一个文件,除Python标准库外,它不依赖于任何第三方模块. URL映射(Routing):将 URL 请求映射到 Python 函数,使 URL 更简洁. 模板(Templates):快速且 pythonic 的内置模板引擎 ,同时支持 mako,

让python bottle框架支持jquery ajax的RESTful风格的PUT和DELETE等请求

这两天在用python的bottle框架开发后台管理系统,接口约定使用RESTful风格请求,前端使用jquery ajax与接口进行交互,使用POST与GET请求时都正常,而Request Method使用PUT或DELETE请求时,直接爆“HTTP Error 405: Method Not Allowed”错误.而ajax提交的Request Method值DELETE也变成了OPTIONS了. 度娘了好多答案,要么说是浏览器不支持,要么说自己重新封装jquery,还有其他的一些方法...

python bottle框架

简介: Bottle是一个快速.简洁.轻量级的基于WSIG的微型Web框架,此框架只由一个 .py 文件,除了Python的标准库外,其不依赖任何其他模块. Bottle框架大致可以分为以下部分: 路由系统,将不同请求交由指定函数处理模板系统,将模板中的特殊语法渲染成字符串,值得一说的是Bottle的模板引擎可以任意指定:Bottle内置模板.mako.jinja2.cheetah公共组件,用于提供处理请求相关的信息,如:表单数据.cookies.请求头等服务,Bottle默认支持多种基于WSG

【Python】Python用Bottle轻量级框架进行Web开发

当前Python Web开发中的框架算Django最为流行了,但是本文介绍的是一个较为轻量级的Web框架:Bottle框架.理论性的东西就不讲了,直接上实例代码. 1.问题描述 最近做一个系统的后台开发,用的就是Python+Bottle进行的web后台开发.给前台提供一个接口,通过前台调用接口时的参数,提供Json数据格式的数据. 2.环境准备 我用的是Linux环境,python 2.7.x版本的python.使用Bottle之前需要pip安装bottle,输入命令:sudo pip ins

python bottle框架(WEB开发、运维开发)教程

教程目录 一:python基础(略,基础还是自己看书学吧) 二:bottle基础 python bottle web框架简介 python bottle 框架环境安装 python bottle 框架基础教程:路由(url定义) python bottle 框架基础教程:HTTP 请求方法 python bottle 框架基础教程:模板使用 python bottle 框架基础教程:模板语法 python bottle 框架基础教程:模板继承 python bottle 框架基础教程:静态资源

bottle框架学习(八)之Mysql数据库的操作

MySQLdb 是用于Python连接Mysql数据库的接口. 安装MySQLdb [[email protected] bottle]# yum install MySQL-python –y 如果使用编译安装请到这里下载安装包https://pypi.python.org/pypi/MySQL-python并执行以下命令 [[email protected] bottle]# gunzip  MySQL-python-1.2.3.tar.gz [[email protected] bottl

Python -- Web -- 使用框架

Python的web框架有很多: Flask,Django,Zope2,Web.py,Web2py,Pyramid,Bottle, Tornado... Flask 轻量级,比较简单 from flask import Flask app = Flask(__name__) @app.route("/") def hello(): return "Hello World!" if __name__ == "__main__": app.run()

bottle框架学习(一)之安装以及路由的使用

安装bottle: [[email protected] bottle]#  yum install python-devel python-setuptools -y [[email protected] bottle]#  easy_install pip [[email protected] bottle]#  pip install bottle 官方文档:http://www.bottlepy.org/docs/dev/index.html 静态路由 [[email protected