web框架前言

来源:http://www.cnblogs.com/Jeffding/archive/2017/11/15/7816421.html
-Advertisement-
Play Games

對於所有的Web應用,本質上其實就是一個socket服務端,用戶的瀏覽器其實就是一個socket客戶端。 import socket def f1(request): """ 處理用戶請求,並返回相應的內容 :param request: 用戶請求的所有信息 :return: """ f = ope ...


  對於所有的Web應用,本質上其實就是一個socket服務端,用戶的瀏覽器其實就是一個socket客戶端。

import socket

def f1(request):
    """
    處理用戶請求,並返回相應的內容
    :param request: 用戶請求的所有信息
    :return:
    """
    f = open('index.fsw','rb')
    data = f.read()
    f.close()
    return data
"""
<body>
    <h1>用戶登錄</h1>
    <form>
        <p><input type="text" placeholder="用戶名" /></p>
        <p><input type="password" placeholder="密碼" /></p>
    </form>
</body>
"""

def f2(request):
    f = open('aricle.tpl','rb')
    data = f.read()
    f.close()
    print(data)
    return data

"""
<body>
    <table border="1">
        <thead>
            <tr>
                <th>ID</th>
                <th>用戶名</th>
                <th>郵箱</th>
            </tr>
        </thead>
        <tbody>
            <tr>
                <th>1</th>
                <th>root</th>
                <th>[email protected]</th>
            </tr>
        </tbody>
    </table>
</body>
"""

routers = [
    ('/xxx', f1),
    ('/ooo', f2),
]#手動寫的網址


def run():
    sock = socket.socket()
    sock.bind(('127.0.0.1',8080))
    sock.listen(5)

    while True:
        conn,addr = sock.accept() # hang住
        #print(conn)#獲得的兩個套接字,我去charm自己會發送請求一個/favicon.ico頁面的報文
        # print(addr)
        # 有人來連接了
        # 獲取用戶發送的數據
        data = conn.recv(8096)
        data = str(data,encoding='utf-8')
        #print(data)#get報文
        headers,bodys = data.split('\r\n\r\n')
        #print("head:",headers)
        #print("body:",bodys) body是空的
        temp_list = headers.split('\r\n')
        # print(temp_list)
        method,url,protocal = temp_list[0].split(' ')
        # print(method)   GET
        # print(url)      /ooo  /favicon.ico
        # print(protocal)  /HTTP/1.1
        conn.send(b"HTTP/1.1 200 OK\r\n\r\n")

        func_name = None
        for item in routers:
            if item[0] == url:
                func_name = item[1]
                break

        if func_name:
            response = func_name(data)
            print(data)
        else:
            response = b"404"

        conn.send(response)
        conn.close()

if __name__ == '__main__':
    run()
靜態網頁

  這種靜態頁面不能與資料庫連接交互,所以也是非常的low。

import socket

def f1(request):
    """
    處理用戶請求,並返回相應的內容
    :param request: 用戶請求的所有信息
    :return:
    """
    f = open('index.fsw','rb')
    data = f.read()
    f.close()
    return data
"""
<body>
    <h1>用戶登錄</h1>
    <form>
        <p><input type="text" placeholder="用戶名" /></p>
        <p><input type="password" placeholder="密碼" /></p>
    </form>
</body>
"""
def f2(request):
    f = open('aricle.tpl','r',encoding='utf-8')
    data = f.read()
    f.close()
    import time
    ctime = time.time()
    data = data.replace('@@sw@@',str(ctime))
    return bytes(data,encoding='utf-8')
"""
<body>
    <table border="1">
        <thead>
            <tr>
                <th>ID</th>
                <th>用戶名</th>
                <th>郵箱</th>
            </tr>
        </thead>
        <tbody>
            <tr>
                <th>1</th>
                <th>@@sw@@</th>
                <th>[email protected]</th>
            </tr>
        </tbody>
    </table>
</body>
"""
def f3(request):
    import pymysql

    # 創建連接
    conn = pymysql.connect(host='127.0.0.1', port=3306, user='root', passwd='jeff@123', db='db1')
    cursor = conn.cursor(cursor=pymysql.cursors.DictCursor)
    cursor.execute("select id,username,password from userinfo")
    user_list = cursor.fetchall()
    #print(user_list)
    cursor.close()
    conn.close()

    content_list = []
    for row in user_list:
        tp = "<tr><td>%s</td><td>%s</td><td>%s</td></tr>" %(row['id'],row['username'],row['password'])
        content_list.append(tp)
    content = "".join(content_list)


    f = open('userlist.html','r',encoding='utf-8')
    template = f.read()
    f.close()

    # 模板渲染(模板+數據)
    data = template.replace('@@sdfsdffd@@',content)
    return bytes(data,encoding='utf-8')
"""
mysql> select * from userinfo;
+----+----------+----------+
| id | username | password |
+----+----------+----------+
|  1 | alex     | 123      |
+----+----------+----------+
<body>
    <table border="1">
        <thead>
            <tr>
                <th>ID</th>
                <th>用戶名</th>
                <th>郵箱</th>
            </tr>
        </thead>
        <tbody>
            @@sdfsdffd@@
        </tbody>
    </table>
</body>
"""
def f4(request):
    import pymysql

    # 創建連接
    conn = pymysql.connect(host='127.0.0.1', port=3306, user='root', passwd='jeff@123', db='db1')
    cursor = conn.cursor(cursor=pymysql.cursors.DictCursor)
    cursor.execute("select id,username,password from userinfo")
    user_list = cursor.fetchall()
    cursor.close()
    conn.close()

    f = open('hostlist.html','r',encoding='utf-8')
    data = f.read()
    f.close()

    # 基於第三方工具實現的模板渲染
    from jinja2 import Template
    template = Template(data)
    data = template.render(xxxxx=user_list,user='sdfsdfsdf')
    return data.encode('utf-8')
"""
            {% for row in xxxxx %}
                <tr>
                    <td>{{row.id}}</td>
                    <td>{{row.username}}</td>
                    <td>{{row.password}}</td>
                </tr>
            {% endfor %}
        </tbody>
    </table>
    {{user}}

"""

routers = [
    ('/xxx', f1),
    ('/ooo', f2),
    ('/userlist.html', f3),
    ('/host.html', f4),
]


def run():
    sock = socket.socket()
    sock.setsockopt(socket.SOL_SOCKET, socket.SO_REUSEADDR, 1)
    sock.bind(('127.0.0.1',8080))
    sock.listen(5)

    while True:
        conn,addr = sock.accept() # hang住
        # 有人來連接了
        # 獲取用戶發送的數據
        data = conn.recv(8096)
        data = str(data,encoding='utf-8')
        headers,bodys = data.split('\r\n\r\n')
        temp_list = headers.split('\r\n')
        method,url,protocal = temp_list[0].split(' ')
        conn.send(b"HTTP/1.1 200 OK\r\n\r\n")

        func_name = None
        for item in routers:
            if item[0] == url:
                func_name = item[1]
                break

        if func_name:
            response = func_name(data)
        else:
            response = b"404"

        conn.send(response)
        conn.close()

if __name__ == '__main__':
    run()
動態頁面

  這裡要說兩點,首先這裡使用了jinjia2模塊,所以要簡單的介紹一下這個模塊。

  渲染模板(使用render_template方法)

@app.route('/about/')
def about():
  # return render_template('about.html',user='username')
  return render_template('about.html',**{'user':'username'})

  渲染模版時有兩種傳遞參數的方式:用 var='value' 傳遞一個參數;使用字典組織多個參數,並且加兩個*號轉換成關鍵字參數傳入。

  在jinja2模板中:

  {{ ... }}:裝載一個變數,模板渲染的時候,會使用傳進來的同名參數這個變數代表的值替換掉。

  {% ... %}:裝載一個控制語句。

  {# ... #}:裝載一個註釋,模板渲染的時候會忽視這中間的值。

  變數:

  設置全局變數:{% set name='xx' %},之後就可以使用此變數了。

  設置局部變數:

{% with foo = 42 %}
{{ foo }}
{% endwith %}

  這裡的foo變數只能在with標簽中使用。

{% if kenny.sick %}
Kenny is sick.
{% elif kenny.dead %}
You killed Kenny! You bastard!!!
{% else %}
Kenny looks okay --- so far
{% endif %}
if語句
#一般迴圈
<ul>
{% for user in users %}
<li>{{ user.username|e }}</li>
{% endfor %}
</ul>
#遍歷字典
{% for key, value in my_dict.iteritems() %}
<dt>{{ key|e }}</dt>
<dd>{{ value|e }}</dd>
{% endfor %}
for迴圈

  jinja2模塊最重要的部分是巨集,巨集相當於一個搭建好的頁面一部分,可以被引入,可以往巨集傳遞參數。可以將一些經常用到的代碼片段放到巨集中,然後把一些不固定的值抽取出來當成一個變數,在使用巨集時傳遞參數,從而將巨集渲染成為頁面的一部分。

  更多關於此模塊的操作,可以查看博客https://www.cnblogs.com/ygj0930/p/7170621.html。

  要說的第二點就是這種方法還是太low了。

import socket

def handle_request(client):

    buf = client.recv(1024)
    client.send("HTTP/1.1 200 OK\r\n\r\n".encode("utf8"))
    client.send("<h1 style='color:red'>Hello, yuan</h1>".encode("utf8"))

def main():

    sock = socket.socket(socket.AF_INET, socket.SOCK_STREAM)
    sock.bind(('localhost',8001))
    sock.listen(5)

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

if __name__ == '__main__':

    main()
最low的socket服務端

  最簡單的Web應用就是先把HTML用文件保存好,用一個現成的HTTP伺服器軟體,接收用戶請求,從文件中讀取HTML,返回。

  如果要動態生成HTML,就需要把上述步驟自己來實現。不過,接受HTTP請求、解析HTTP請求、發送HTTP響應都是苦力活,如果我們自己來寫這些底層代碼,還沒開始寫動態HTML呢,就得花個把月去讀HTTP規範。

  正確的做法是底層代碼由專門的伺服器軟體實現,我們用Python專註於生成HTML文檔。因為我們不希望接觸到TCP連接、HTTP原始請求和響應格式,所以,需要一個統一的介面,讓我們專心用Python編寫Web業務。這個介面就是WSGI:Web Server Gateway Interface。

# from wsgiref.simple_server import make_server
#
#
# def application(environ, start_response):
#     start_response('200 OK', [('Content-Type', 'text/html')])
#     return [b'<h1>Hello, web!</h1><h2>Hello, py!</h2>']
#
#
# httpd = make_server('127.0.0.2', 8080, application)#(ip,pork,func)
#
# print('Serving HTTP on port 8080...')
# # 開始監聽HTTP請求:
# httpd.serve_forever()
wsgiref模塊

django入門

  django是一個基於python的高級web開發框架,因為他的高度集成,將會在今後的web開發里給予我們很大的幫助。

  首先創建一個django工程(加不加.py都可以):

django-admin.py startproject project_name
#django-admin.py startproject myblog

  工程下麵有幾個核心測文件:

  manage.py   Django項目裡面的管理工具,通過它可以調用django shell和資料庫等。

  settings.py    包含了項目的預設設置,包括資料庫信息,調試標誌以及其他一些工作的變數。

  urls.py    負責把URL模式映射到應用程式,路由(就是url與函數的對應關係)。

  wsgi.py    調用python內置的wsgiref模塊,web服務網關介面。他定義django用什麼socket實現,預設就是wsgiref模塊。

  註:除了命令的方式pycharm也可以進行django工程的搭建。

  HttpResponse模塊

from django.conf.urls import url
from django.shortcuts import HttpResponse

def index(request):#request用戶請求相關的所有信息
    return HttpResponse('whatever')
urlpatterns = [
    url(r'^index/', index),
]

  啟動django自帶的伺服器,

python manage.py runserver 8080

  在瀏覽器訪問127.0.0.1:8080/index即可查看到django渲染後的網頁。

  render模塊

from django.conf.urls import url
from django.shortcuts import render

def index(request):#request用戶請求相關的所有信息
    return render(request,"a.html")#預設要加request參數
urlpatterns = [
    url(r'^index/', index),
]

  接下來在瀏覽器訪問127.0.0.1:8080/index即可查看到django渲染後的網頁(伺服器在改變了代碼的情況下會自動重啟)。還有,訪問的前提是在templates目錄下有一個a.html的文件。那麼django是如何找到這個路徑的呢,因為在settings.py下有一個TEMPLATES列表,其中'DIRS': [os.path.join(BASE_DIR, 'templates')]指明瞭render需要從這個目錄下拿到。

  靜態文件的配置

  在工程文件夾下創建一個static文件夾裡面存放靜態文件,並將路徑寫入settings.py下。

STATIC_URL = '/static/'
STATICFILES_DIRS=(os.path.join(BASE_DIR,'static'),)

  然後在導入文件時一律使用/static引入。

  request相關

  request.method獲得當前請求的方法。request.GET與request.POST可以取到用戶提交的數據。

from django.conf.urls import url
from django.shortcuts import render,redirect

def index(request):#request用戶請求相關的所有信息
    if request.method =='GET':#瀏覽器預設傳get,區分返回來的信息
        return render(request,"a.html")
    else:
        u=request.POST.get('user')#取出post方式傳回來的字典的值
        p=request.POST.get('pwd')#get取不到會轉化為none
        if u=='jeff' and p=='123':
            return redirect('http://www.baidu.com')#當然也可以重定向到自己的目錄
        else:
            return render(request, "a.html")
urlpatterns = [
    url(r'^index/', index),
]

  a.html中的修改:

<!DOCTYPE html>
<html lang="en">
<head>
    <meta charset="UTF-8">
    <link rel="stylesheet" href="/static/as.css">
    <title>Title</title>
</head>
<body>
    <h1>用戶登錄</h1>
    <form method="post" action="/index/">{# 發送以post方式發到index下 #}
        <input type="text" name="user"/>
        <input type="password" name="pwd"/>
        <input type="submit" value="login"/>
    </form>
</body>
</html>

  這樣用戶訪問127.0.0.1:8080/index會使用get方法返回a.html頁面,輸入用戶名和密碼提交會用post方法返回給index頁面經判斷是重定向還是重新輸入。

  django的渲染模板

  django基本的html的模板與jinja2很相似,我們可以在form表單裡加入一個{{ msg }}的模板,然後在render里添加一個msg:value用於自動傳入。

  django的模板取序列的值也是簡單粗暴,比如取列表就是{{  list.index }}例如{{ s.0 }}{{ s.1 }},字典就是{{ dict.key }}例如{{row.id}}{{ row.name }}。

from django.conf.urls import url
from django.contrib import admin
from django.shortcuts import HttpResponse,render,redirect

def index(request):#request用戶請求相關的所有信息
    if request.method =='GET':
        return render(request,"a.html")
    else:
        u=request.POST.get('user')
        p=request.POST.get('pwd')
        print(u)
        print(p)
        if u=='jeff' and p=='123':
            return render(request, "b.html",{'user':[{'id':1,'name':'jeff','age':0},
                                                     {'id': 2, 'name': 'frank', 'age': 1},
                                                     {'id': 3, 'name': 'xixi', 'age': 2}]})
        else:
            return render(request, "a.html")
urlpatterns = [
    url(r'^admin/', admin.site.urls),
    url(r'^index/', index),
]
urls.py配置
<!DOCTYPE html>
<html lang="en">
<head>
    <meta charset="UTF-8">
    <link rel="stylesheet" href="/static/as.css">
    <title>Title</title>
</head>
<body>
    <h1>用戶登錄</h1>
    <form method="post" action="/index/">{# 發送以post方式發到index下 #}
        <input type="text" name="user"/>
        <input type="password" name="pwd"/>
        <input type="submit" value="login"/>
    </form>
</body>
</html>
a.html
<!DOCTYPE html>
<html lang="en">
<head>
    <meta charset="UTF-8">
    <title>Title</title>
</head>
<body>
    <table border="1">
        {% for item in user %}
            <tr>
                <td>{{ item.id }}</td>
                <td>{{ item.name }}</td>
                <td>{{ item.age }}</td>
                <td><a href="/del/?nid=={{ item.id }}"></a></td>{# 跳轉到專門的del頁面 #}
            </tr>
        {% endfor %}{#迴圈結束 #}
    </table>
</body>
</html>
b.html

  這裡render傳入的字典可以使用pymsql導入,這樣就與資料庫緊密的連接到一起了。


您的分享是我們最大的動力!

-Advertisement-
Play Games
更多相關文章
  • 返回總目錄 九、Primitive Obsession(基本類型偏執) 這主要表現在過多的使用基本類型。 1、總是被放在一起的基本類型欄位,可以提煉一個類出來。 2、參數列中有基本類型數據,這個和第八個“壞味道”一樣,可以將參數提煉成對象。 3、如果你正在從數組中挑選數據,那麼將數組替換成對象。 十 ...
  • 一、創建一個Ado.net實體模型 二、根據實體模型創建上下文和實體映射 遇到的問題場景是:模型的屬性“代碼生成策略”如果是 使用“舊的 ObjectContext ”方式時,Linq預設返回的ObjectQuery可以直接賦值給combobox ,如果是使用的T4模板,則系統系統創建的上下文對象為... ...
  • 這兩天領導讓我做個噴泉的效果,要把一個個UserControl從一個位置噴出,然後,最後落在最終需要在的位置。 噴泉效果說白了,就是兩個步驟:1、放大,從0放大到需要的倍數;2、縮小,平移,從放大的倍數還原到UserControl的原始大小,並且定位到最終的位置。 雖然,只有兩步,但是,作為寫動畫的 ...
  • 面試題:寫一個固定容量同步容器,擁有put和get方法,以及getCount方法, 能夠支持2個生產者線程以及10個消費者線程的阻塞調用 有兩種方法 1.使用wait和notify/notifyAll來實現 2.使用Lock和Condition來實現 對比兩種方式,Condition的方式可以更加精 ...
  • 不過大部分手機鬧鐘都不支持這種以小時為單位的周期鬧鈴。所以,我以前每次都是都手動調整鬧鐘時間。總感覺有點 Low!於是,我就寫了個簡單的發郵件的 Lua 腳本,放到樹莓派上作為一個shell命令使用;然後在每周一到周五的9點至23點整點各執行一次發郵件的操作。郵件是發到了我的 QQ 郵箱。收到QQ郵... ...
  • 一萬年太久,只爭朝夕 What JDBC 上部 JDBC(Java DataBase Connectivity)Java 資料庫連接,主要提供編寫 Java 資料庫應用程式的 API 支持 java.sql包中定義的常用的基本的 JDBC API: 類 DriverManager-管理一組 JDBC ...
  • 恢復內容開始 Django 創建第一個項目 本章我們將介紹Django 管理工具及如何使用 Django 來創建項目,第一個項目我們以 HelloWorld 來命令項目。 Django 管理工具 安裝 Django 之後,您現在應該已經有了可用的管理工具 django-admin.py。我們可以使用 ...
  • 一.實現多態所具備的條件有3個: 1.繼承關係 2.子類重寫父類的方法 3.父類的引用指向子類的對象 二.實現一波: 1.編寫Animal類,作為一個父類,有一個name方法,用於給子類重寫. 2.編寫Monkey類繼承Animal類,並重寫父類name方法,擁有自己獨有的climb()方法 3.編 ...
一周排行
    -Advertisement-
    Play Games
  • 移動開發(一):使用.NET MAUI開發第一個安卓APP 對於工作多年的C#程式員來說,近來想嘗試開發一款安卓APP,考慮了很久最終選擇使用.NET MAUI這個微軟官方的框架來嘗試體驗開發安卓APP,畢竟是使用Visual Studio開發工具,使用起來也比較的順手,結合微軟官方的教程進行了安卓 ...
  • 前言 QuestPDF 是一個開源 .NET 庫,用於生成 PDF 文檔。使用了C# Fluent API方式可簡化開發、減少錯誤並提高工作效率。利用它可以輕鬆生成 PDF 報告、發票、導出文件等。 項目介紹 QuestPDF 是一個革命性的開源 .NET 庫,它徹底改變了我們生成 PDF 文檔的方 ...
  • 項目地址 項目後端地址: https://github.com/ZyPLJ/ZYTteeHole 項目前端頁面地址: ZyPLJ/TreeHoleVue (github.com) https://github.com/ZyPLJ/TreeHoleVue 目前項目測試訪問地址: http://tree ...
  • 話不多說,直接開乾 一.下載 1.官方鏈接下載: https://www.microsoft.com/zh-cn/sql-server/sql-server-downloads 2.在下載目錄中找到下麵這個小的安裝包 SQL2022-SSEI-Dev.exe,運行開始下載SQL server; 二. ...
  • 前言 隨著物聯網(IoT)技術的迅猛發展,MQTT(消息隊列遙測傳輸)協議憑藉其輕量級和高效性,已成為眾多物聯網應用的首選通信標準。 MQTTnet 作為一個高性能的 .NET 開源庫,為 .NET 平臺上的 MQTT 客戶端與伺服器開發提供了強大的支持。 本文將全面介紹 MQTTnet 的核心功能 ...
  • Serilog支持多種接收器用於日誌存儲,增強器用於添加屬性,LogContext管理動態屬性,支持多種輸出格式包括純文本、JSON及ExpressionTemplate。還提供了自定義格式化選項,適用於不同需求。 ...
  • 目錄簡介獲取 HTML 文檔解析 HTML 文檔測試參考文章 簡介 動態內容網站使用 JavaScript 腳本動態檢索和渲染數據,爬取信息時需要模擬瀏覽器行為,否則獲取到的源碼基本是空的。 本文使用的爬取步驟如下: 使用 Selenium 獲取渲染後的 HTML 文檔 使用 HtmlAgility ...
  • 1.前言 什麼是熱更新 游戲或者軟體更新時,無需重新下載客戶端進行安裝,而是在應用程式啟動的情況下,在內部進行資源或者代碼更新 Unity目前常用熱更新解決方案 HybridCLR,Xlua,ILRuntime等 Unity目前常用資源管理解決方案 AssetBundles,Addressable, ...
  • 本文章主要是在C# ASP.NET Core Web API框架實現向手機發送驗證碼簡訊功能。這裡我選擇是一個互億無線簡訊驗證碼平臺,其實像阿裡雲,騰訊雲上面也可以。 首先我們先去 互億無線 https://www.ihuyi.com/api/sms.html 去註冊一個賬號 註冊完成賬號後,它會送 ...
  • 通過以下方式可以高效,並保證數據同步的可靠性 1.API設計 使用RESTful設計,確保API端點明確,並使用適當的HTTP方法(如POST用於創建,PUT用於更新)。 設計清晰的請求和響應模型,以確保客戶端能夠理解預期格式。 2.數據驗證 在伺服器端進行嚴格的數據驗證,確保接收到的數據符合預期格 ...