Django 01. python Web 框架

簡介

    python web 框架本質(socket)、python web框架協議(WSGI)、及使用python wsgiref模塊自已開發一個web框架。
    

Web 框架基礎

     python Web 框架本質上是一個socket服務端,用戶的瀏覽器其實就是一個socket客戶端。

          #!/usr/bin/env python
#coding:utf-8
import socket
#客戶端
def handle_request(client):
    buf = client.recv(1024)
    client.send("HTTP/1.1 200 OK\r\n\r\n")
    client.send("Hello,Seven")
#服務器端
def main():
    sock = socket.socket(socket.AF_INET,socket.SOCK_STREAM)
    sock.bind(('localhost',8000))
    sock.listen(5)

    while True:
         connection,address = sock.accept()
         handle_request(connection)
         connection.close()

if __name__ == "__main__":
    main()
        

     上述經過socket來實現了其本質,而對於真實開發中的python web程序來講,通常會分爲兩部分:服務器程序和應用程序。服務器程序負責對socket服務器進行封裝,並在請求到來時,對請求的各類數據進行整理。應用程序則負責具體的邏輯處理。爲了方便應用程序的開發,就出現了衆多的Web框架,例如:Django,Flask,web.py等。不一樣的框架有不一樣的開發方式,可是不管如何,開發出的應用程序都要和服務器程序配合,才能爲用戶提供服務。這樣,服務器程序就須要爲不一樣的框架提供不一樣的支持。這樣混亂的局面不管對於服務器仍是框架,都是很差的。對服務器來講,須要支持各類不一樣框架,對框架來講,只有支持它的服務器才能被開發出的應用使用。這時候,標準化就變得尤其重要。咱們能夠設立一個標準,只要服務器程序支持這個標準,框架也支持這個標準,那麼他們就能夠配合使用。一旦標準肯定,雙方各自實現。這樣,服務器能夠支持更多更標準的框架,框架也可使用更多支持標準的服務器。
     WSGI(Web Server Gateway Interface)是一種規範,它定義了使用python編寫的web app與web server之間接口格式,實現web app與web server間的解藕。
     python 標準庫提供的獨立WSGI服務器稱爲wsgiref。

                  #!/usr/bin/env python
#coding:utf-8
from wsgiref.simple_server import make_server
def RunServer(environ, start_response):
    start_response('200 OK', [('Content-Type', 'text/html')])
    return '<h1>Hello, web!</h1>'
if __name__ == '__main__':
    httpd = make_server('', 8000, RunServer)
    print "Serving HTTP on port 8000..."
    httpd.serve_forever()

自定義Web框架

     經過python標準庫提供的wsgiref模塊開發一個自已的web框架。

         #!/usr/bin/env python
#coding:utf-8
from wsgiref.simple_server import make_server

def index():
    return 'index'

def login():
    return 'login'

def routers():
    
    urlpatterns = (
        ('/index/',index),
        ('/login/',login),
    )
    
    return urlpatterns

def RunServer(environ, start_response):
    start_response('200 OK', [('Content-Type', 'text/html')])
    url = environ['PATH_INFO']
    urlpatterns = routers()
    func = None
    for item in urlpatterns:
        if item[0] == url:
            func = item[1]
            break 
    if func:
        return func()
    else:
        return '404 not found'
    
if __name__ == '__main__':
    httpd = make_server('', 8000, RunServer)
    print "Serving HTTP on port 8000..."
    httpd.serve_forever()

    請求來了以後通過URL篩選,交由不一樣的方法去處理,通過邏輯處理並與數據庫進行交互後把結果反饋給頁面。

MVC與MTV的區別

MVC:
           Model  數據庫交互
           View     頁面展現
           Controller  邏輯處理
MTV:
 Model  數據庫交互
 Template  頁面展現
 View  邏輯處理

MVC與MTV都只是文件的堆放模式

















 



相關文章
相關標籤/搜索