webpy 入门

来源:互联网 发布:latex mac下载官网 编辑:程序博客网 时间:2024/05/16 13:39

webpy入门

webpy install

下载:wget http://webpy.org/static/web.py-0.37.tar.gz
安装:python setup.py install

webpy 'hello world'

  可以参考webpy的官方文档:http://webpy.org/docs/0.3/tutorial

      hello, world如下:

复制代码
import weburls = (    '/', 'index')class index:    def GET(self):        return "Hello, world!"if __name__ == "__main__":    app = web.application(urls, globals())    app.run()
复制代码

  在webpy中,url请求的映射在urls元组中,如上图中GET ip:port/,会直接调用index类的GET方法,返回字符串'hello, world!';

  class index中包含了一个GET方法,用来处理与index相应的url的GET请求的;

  在主函数中,只需要创建一个application对象,运行就可以开启一个简单的web应用,默认的地址为:127.0.0.1:8080

GET && POST

  web包含两种方法:GET和POST

      对于GET,可以采用:

class index:    def GET(self):        return "Hello, world!"

  而,对于POST,采用:

class index:    def POST(self):        data = web.input(name=None)        return "Hello, " + data.name + "!"

html模板

  在webpy中,一般采用templates来存放html页面文件。大概的访问方式如下:

复制代码
urls = (    '/img', 'image')render = web.template.render('templates')class image:    def GET(self):        return render.image()
复制代码

  urls中定义了url映射,访问ip:port/img会直接条用class image来处理;

  web.template.render(path)是用来指定存放html的目录,上面指定了html的指定存放位置位于当前文件夹下的templates文件下;

  返回的render.image()表示在render所指定的目录下寻找image.html文件并作为返回结果。

复制代码
class show:    def GET(self):        return render.show('hello world!')
复制代码
$def with(str)<html>    <body>         $for i in range(5):            <h1>$str</h1>    <body></html> 
复制代码
复制代码

  show类是用来展示字符串'hello world!',下面的html为show.html,webpy支持模板,支持参数以$def with()开始作为函数的开始;

      在html中可以使用python语句,但语句前需要添加$,在上面的html中str会在页面上打印5次。

静态文件

  在webpy中,提供了默认的静态文件的访问方式

  •   webpy作为服务器时,在当前目录下建立static目录,webpy会自动在该目录下寻找静态文件
  •       在 Apache 中可以使用 Alias 指令,在处理 web.py 之前将请求映射到指定的目录。

webpy db

  在webpy中提供了数据库访问的API,其实从源码中可以看出来是对MySQLdb的封装,但为了方便起见用起来还是可以的。

复制代码
db = web.database(dbn='mysql', db='test', user='root', pw='123123')def new_post(title, content):    db.insert('news', title=title, content=content, posted_on=datetime.datetime.utcnow())def get_post(id):    try:        return db.select('news', where='id=$id', vars=locals())[0]    except IndexError:        return Nonedef get_posts():    return db.select('news', order = 'id DESC')def del_post(id):    db.delete('news', where = 'id = $id', vars = locals())def update_post(id, title, content):    db.update('news', where='id = $id', vars=locals(), title=title, content=content)
复制代码

  webpy也支持事务:

复制代码
import webdb = web.database(dbn="postgres", db="webpy", user="foo", pw="")t = db.transaction()try:    db.insert('person', name='foo')    db.insert('person', name='bar')except:    t.rollback()    raiseelse:    t.commit()
复制代码
0 0
原创粉丝点击