Python实现搭建-简单服务器教程

Python动态服务器网页(需要使用WSGI接口),基本实现步骤如下:
1.等待客户端的链接,服务器会收到一个http协议的请求数据报
2.利用正则表达式对这个请求数据报进行解析(请求方式、提取出文件的环境)
3.提取出文件的环境之后,利用截断取片的方法将文件名转化为模块名称
4.使用m = __import__(),就可以得到返回值为m的模块
5.创建一个env字典:其中包含的是请求方式及文件环境等各种的键值对
6.创建一个新的动态脚本,其中定义了application这个函数,必须包含env和start_response的参数(也是服务器里的调用方法)
7.在这个动态脚本中定义状态码status和响应头headers(注意是字典形式,如Content-Type)
8.然后再调用start_response(status,headers),但是要注意,这个函数在服务器被定义
9.在动态脚本中编写动态执行程序
10.m.appliction的返回值就是回应数据包的body,它的数据头在start_response被整合
11.将数据头与数据body拼接起来,然后发送给客户端,就可显示动态网页

MyWebServer

import socket
import re
import sys
 
from multiprocessing import Process
from MyWebFramework import Application
 
# 设置静态文件根目录
HTML_ROOT_DIR = "./html"
WSGI_PYTHON_DIR = "./wsgipython"
 
class HTTPServer(object):
    """"""
    def __init__(self, application):
        """构造函数, application指的是框架的app"""
        self.server_socket = socket.socket(socket.AF_INET, socket.SOCK_STREAM)
        self.server_socket.setsockopt(socket.SOL_SOCKET, socket.SO_REUSEADDR, 1)
        self.app = application
 
    def start(self):
        self.server_socket.listen(128)
        while True:
            client_socket, client_address = self.server_socket.accept()
            #print("[%s,%s]用户连接上了" % (client_address[0],client_address[1]))
            print("[%s, %s]用户连接上了" % client_address)
            handle_client_process = Process(target=self.handle_client, args=(client_socket,))
            handle_client_process.start()
            client_socket.close()
 
    def start_response(self, status, headers):
        """
         status = "200 OK"
    headers = [
        ("Content-Type", "text/plain")
    ]
    star
        """
        response_headers = "HTTP/1.1 " + status + "\r\n"
        for header in headers:
            response_headers += "%s: %s\r\n" % header
 
        self.response_headers = response_headers
 
    def handle_client(self, client_socket):
        """处理客户端请求"""
        # 获取客户端请求数据
        request_data = client_socket.recv(1024)
        print("request data:", request_data)
        request_lines = request_data.splitlines()
        for line in request_lines:
            print(line)
 
        # 解析请求报文
        # 'GET / HTTP/1.1'
        request_start_line = request_lines[0]
        # 提取用户请求的文件名
        print("*" * 10)
        print(request_start_line.decode("utf-8"))
        file_name = re.match(r"\w+ +(/[^ ]*) ", request_start_line.decode("utf-8")).group(1)
        method = re.match(r"(\w+) +/[^ ]* ", request_start_line.decode("utf-8")).group(1)
 
        env = {
            "PATH_INFO": file_name,
            "METHOD": method
        }
        response_body = self.app(env, self.start_response)
        response = self.response_headers + "\r\n" + response_body
 
        # 向客户端返回响应数据
        client_socket.send(bytes(response, "utf-8"))
        # 关闭客户端连接
        client_socket.close()
 
    def bind(self, port):
        self.server_socket.bind(("", port))
 
def main():
    sys.path.insert(1, WSGI_PYTHON_DIR)
    if len(sys.argv) < 2:
        sys.exit("python MyWebServer.py Module:app")
    # python MyWebServer.py  MyWebFrameWork:app
    module_name, app_name = sys.argv[1].split(":")
    # module_name = "MyWebFrameWork"
    # app_name = "app"
    m = __import__(module_name)
    app = getattr(m, app_name)
    http_server = HTTPServer(app)
    # http_server.set_port
    http_server.bind(8000)
    http_server.start()
 
if __name__ == "__main__":
    main()

MyWebFrameWork

import time
# from MyWebServer import HTTPServer
 
# 设置静态文件根目录
HTML_ROOT_DIR = "./html"
 
class Application(object):
    """框架的核心部分,也就是框架的主题程序,框架是通用的"""
    def __init__(self, urls):
        # 设置路由信息
        self.urls = urls
 
    def __call__(self, env, start_response):
        path = env.get("PATH_INFO", "/")
        # /static/index.html
        if path.startswith("/static"):
            # 要访问静态文件
            file_name = path[7:]
            # 打开文件,读取内容
            try:
                file = open(HTML_ROOT_DIR + file_name, "rb")
            except IOError:
                # 代表未找到路由信息,404错误
                status = "404 Not Found"
                headers = []
                start_response(status, headers)
                return "not found"
            else:
                file_data = file.read()
                file.close()
 
                status = "200 OK"
                headers = []
                start_response(status, headers)
                return file_data.decode("utf-8")
 
        for url, handler in self.urls:
            #("/ctime", show_ctime)
            if path == url:
                return handler(env, start_response)
 
        # 代表未找到路由信息,404错误
        status = "404 Not Found"
        headers = []
        start_response(status, headers)
        return "not found"
 
def show_ctime(env, start_response):
    status = "200 OK"
    headers = [
        ("Content-Type", "text/plain")
    ]
    start_response(status, headers)
    return time.ctime()
 
def say_hello(env, start_response):
    status = "200 OK"
    headers = [
        ("Content-Type", "text/plain")
    ]
    start_response(status, headers)
    return "hello itcast"
 
def say_haha(env, start_response):
    status = "200 OK"
    headers = [
        ("Content-Type", "text/plain")
    ]
    start_response(status, headers)
    return "hello haha"
 
urls = [
            ("/", show_ctime),
            ("/ctime", show_ctime),
            ("/sayhello", say_hello),
            ("/sayhaha", say_haha),
        ]
app = Application(urls)
# if __name__ == "__main__":
#     urls = [
#             ("/", show_ctime),
#             ("/ctime", show_ctime),
#             ("/sayhello", say_hello),
#             ("/sayhaha", say_haha),
#         ]
#     app = Application(urls)
#     http_server = HTTPServer(app)
#     http_server.bind(8000)
#     http_server.start()

原文链接:https://www.cnblogs.com/djdjdj123/p/17329903.html

本站文章如无特殊说明,均为本站原创,如若转载,请注明出处:Python实现搭建-简单服务器教程 - Python技术站

(0)
上一篇 2023年4月18日
下一篇 2023年4月18日

相关文章

  • 详解Python发送邮件实例

    详解Python发送邮件实例 Python是一种功能强大的编程语言,可以用于各种任务,包括发送电子邮件。本文将详细讲解如何使用Python发送电子邮件,包括SMTP协议、邮件头、邮件正文等内容,并提供两个示例。 SMTP协议 SMTP(Simple Mail Transfer Protocol)是一种用于发送电子邮件的协议。在Python中,我们可以使用sm…

    python 2023年5月15日
    00
  • python登陆asp网站页面的实现代码

    Python登陆ASP网站页面的实现代码攻略 在本攻略中,我们将介绍如何使用Python实现登陆ASP网站页面的代码。我们将使用Python的requests库和BeautifulSoup库来实现这个过程。 步骤1:分析网页结构 首先,我们需要分析ASP网站登陆页面的网页结构。我们可以使用Chrome浏览器的开发者工具来查看网页结构。在网页上右键单击,然后选…

    python 2023年5月15日
    00
  • python利用beautifulSoup实现爬虫

    Python利用BeautifulSoup实现爬虫攻略 准备工作 在开始Python利用BeautifulSoup实现爬虫之前,需要先准备一些工作。首先,需要安装Python解释器和BeautifulSoup库。 如果你还没有安装Python,可以去官网https://www.python.org/downloads/下载对应版本的Python安装包进行安装…

    python 2023年5月14日
    00
  • Python WSGI 规范简介

    让我来详细讲解“Python WSGI 规范简介”的完整攻略。 什么是 WSGI? WSGI 全称为 Web 服务器网关接口(Web Server Gateway Interface),是 Python 语言定义的 Web 服务器和 Web 应用程序之间的标准接口,它规范了 Python Web 程序的接口,使得 Web 服务器能够简单地调用 Python …

    python 2023年5月18日
    00
  • 关于windos10环境下编译python3版pjsua库的问题

    下面是针对“关于Windows10环境下编译Python3版pjsua库的问题”的完整攻略: 1. 准备工作 在开始编译之前,需要软件和库的支持。以下是需要的软件和库: Python和Pip 需要安装Python 3.x版本和对应的pip包管理器。可以从官方网站(https://www.python.org/downloads/windows/)下载Pyth…

    python 2023年5月13日
    00
  • python3.4爬虫demo

    下面是“python3.4爬虫demo”的完整攻略: 1. 安装需要的库 为了实现web爬虫,我们需要安装两个Python库:requests和BeautifulSoup4。 你可以在命令行中使用pip安装它们,命令如下: pip install requests pip install beautifulsoup4 2. 理解Requests库 Reque…

    python 2023年5月14日
    00
  • 在Mac下使用python实现简单的目录树展示方法

    当我们需要处理大量文件,或者需要深入分析文件系统时,常常需要在终端查看文件的完整路径和目录结构。在Mac上,可以使用Python实现简单的目录树展示方法来方便快速的实现这个功能。 下面是使用Python实现简单的目录树展示方法的步骤: 1. 安装tree命令 使用brew命令来安装tree命令: brew install tree 2. 创建Python脚本…

    python 2023年6月2日
    00
  • 一篇文章告诉你如何用Python控制Excel实现自动化办公

    下面是详细讲解如何用Python控制Excel实现自动化办公的完整实例教程。 一、准备工作 在执行示例代码之前,需要安装一些必要的第三方库,包括: pandas openpyxl 在安装完这两个库之后,就可以开始编写代码了。 二、读取Excel文件 通过Python库 openpyxl,我们可以轻松地读取Excel文件。下面是示例代码: import ope…

    python 2023年5月13日
    00
合作推广
合作推广
分享本页
返回顶部