美文网首页
python原始web与django框架 mvc模式开发

python原始web与django框架 mvc模式开发

作者: peanut___ | 来源:发表于2019-08-23 11:15 被阅读0次

    使用Python开发Web,最简单,原始和直接的办法是使用CGI标准。

    • 首先做一个Python脚本
    • 输出HTML代码
    • 然后保存成.cgi扩展名的文件
    • 通过浏览器访问此文件

    如下:

    #!/usr/bin/env python
    
    import MySQLdb
    
    #打印Content-Type 与 html
    print "Content-Type: text/html\n"
    print "<html><head><title>Books</title></head>"
    print "<body>"
    print "<h1>Books</h1>"
    print "<ul>"
    
    #链接数据库
    connection = MySQLdb.connect(user='me', passwd='letmein', db='my_db')
    cursor = connection.cursor()
    cursor.execute("SELECT name FROM books ORDER BY pub_date DESC LIMIT 10")
    
    #遍历
    for row in cursor.fetchall():
        print "<li>%s</li>" % row[0]
    
    print "</ul>"
    print "</body></html>"
    
    #关闭数据库
    connection.close()
    

    MVC 设计模式

    安装Django+nginx 在我另外一篇文章里:https://www.jianshu.com/p/2d64e35ce845
    让我们来研究一个简单的例子,通过该实例,你可以分辨出,通过Web框架来实现的功能与之前的方式有何不同。 下面就是通过使用Django来完成以上功能的例子:

    首先,分成4个Python的文件:
    (models.py , views.py , urls.py )
    html模板文件 (latest_books.html )

    
    # models.py (the database tables)
    # 模型
    from django.db import models
    class Book(models.Model):
        name = models.CharField(max_length=50)
        pub_date = models.DateField()
    
    # views.py (the business logic)
    # 视图
    from django.shortcuts import render_to_response
    from models import Book
    
    def latest_books(request):
        book_list = Book.objects.order_by('-pub_date')[:10]
        return render_to_response('latest_books.html', {'book_list': book_list})
    
    # urls.py (the URL configuration)
    # 路由
    from django.conf.urls.defaults import *
    import views
    
    urlpatterns = patterns('',
        (r'^latest/$', views.latest_books),
    )
    
    # latest_books.html (the template)
    # html页面
    <html><head><title>Books</title></head>
    <body>
    <h1>Books</h1>
    <ul>
    {% for book in book_list %}
    <li>{{ book.name }}</li>
    {% endfor %}
    </ul>
    </body></html>
    

    然后,不用关心语法细节;只要用心感觉整体的设计。 这里只关注分割后的几个文件:

    models.py 文件主要用一个 Python 类来描述数据表。 称为 模型(model) 。 运用这个类,你可以通过简单的 Python 的代码来创建、检索、更新、删除 数据库中的记录而无需写一条又一条的SQL语句。

    views.py 文件包含了页面的业务逻辑。 latest_books()函数叫做视图。

    urls.py 指出了什么样的 URL 调用什么的视图。 在这个例子中 /latest/ URL 将会调用 latest_books() 这个函数。 换句话说,如果你的域名是example.com,任何人浏览网址http://example.com/latest/将会调用latest_books()这个函数。

    latest_books.html 是 html 模板,它描述了这个页面的设计是如何的。 使用带基本逻辑声明的模板语言,如{% for book in book_list %}

    结合起来,这些部分松散遵循的模式称为模型-视图-控制器(MVC)。 简单的说, MVC 是一种软件开发的方法,它把代码的定义和数据访问的方法(模型)与请求逻辑 (控制器)还有用户接口(视图)分开来。

    相关文章

      网友评论

          本文标题:python原始web与django框架 mvc模式开发

          本文链接:https://www.haomeiwen.com/subject/pbszsctx.html