pip是Python官方推荐的包管理工具   属于python的一部分
 
 
       pip的使用 
 
pip的安装
            sudo apt-get install python-pip
            sudo apt-get install python3-pip
 
安装包
            pip3  install   package
 
升级
            pip3  install  --upgrade  package
 
查看python包清单
            pip3 list
 
卸载
            pip3 uninstall  package
 
查找软件包
            pip3 search  package
 
显示软件包信息
            pip3 show  package
 
生成软件环境文件
            pip3  freeze  >  requirements.txt
 
根据环境文件安装第三方包
            pip3  install  -r  requirements.txt
 
 
from gevent import  monkey
           monkey.patch_all()
           功能 : 在socket导入之前使用后,用来修改套接字的阻塞行为
 
基于协程并发服务器模型:

import gevent
# 在socket导入之前使用
from gevent import monkey
monkey.patch_all()
from socket import *
from time import ctime def server(port):
s = socket()
s.bind(('0.0.0.0',port))
s.listen(5)
while True:
c,addr = s.accept()
print("Connect from",addr)
gevent.spawn(handler,c) #处理客户端请求
def handler(c):
while True:
data = c.recv(1024).decode()
if not data:
break
print("Receive:",data)
c.send(ctime().encode())
c.close() if __name__ == "__main__":
server(8888)
 
 
            HTTPServer
 
前端  前台  客户端  用户端
      功能 :
            1. 和用户进行交互,获取用户请求
            2. 和后端进行通信,整理用户请求给后端
            3. 接受后端数据内容,展现给用户
 
      要求:
            1. 良好的用户体验
            2. 较全面的交互能力
            3. 必要的前端优化
            4. 良好的跨平台型
 
后端  后台   服务端
      功能:
            1. 接受前端请求
            2. 进行逻辑处理和运算
            3. 和磁盘交互 (文件处理,数据库处理)
            4. 进行数据整理,更好的向前端返回结果
 
      要求:
            1. 更好的并发性
            2. 更快速的处理速度
            3. 更好的健壮性
            4. 可维护和可扩展
            5. 数据的安全
 
HTTPServer + Frame 版本
 
    httpserver 功能 : 
            1. 接受HTTP请求 (socket通信)
            2. 解析http请求 
               *  请求类型  GET,POST
               *  请求内容  
            3. 将具体的请求整理后给 web Frame
            4. 接受后端应用返回的数据内容
            5. 将数据组织为HTTP response的格式发给客户端
 
 
 
    什么是框架?
               矿建即开发模板,通过根据框架规则填写内容即可完成快速开发工作
   Frame 功能:
            1. 接收httpserver发送的request请求
            2. 进行逻辑处理或者数据整合
            3. 将结果发送给httpserver
                * 如果能够处理则返回结果和数据
                * 不能处理返回原因
 
      结构 :
 
HTTPServer --- static目录 
           --- HttpServer.py
   --- WebFrame.py
           --- setting.py
   --- views.py
 
 
m = __import__(module)
            功能 : 导入一个模块
            参数:要导入的模块
            返回值:模块对象
 
getattr(obj,attr)
            功能:获取一个对象的属性
            参数: obj   对象
                       attr  属性
            返回值: 返回属性值
 
__call__() 魔法方法
            作用 : 让实例对象可以像函数一样被调用执行
 
class CallTest(object):
def __call__(self,a,b):
print("This is call test")
print("a =",a,"b =",b) test = CallTest()
test(1,2)
 
 
HTTPServer完整代码:
 
Server:

#coding=utf-8

'''
module: HTTPServer.py
name : Paris
time : 2018-8-28
功能 :httpserver部分
modules:
Python3.5 、socket、sys
threading、re、setting
'''
from socket import *
import sys
from threading import Thread
import re
from setting import * #处理http请求类
class HTTPServer(object):
def __init__(self,application):
self.sockfd = socket()
self.sockfd.setsockopt\
(SOL_SOCKET,SO_REUSEADDR,1)
#获取模块接口
self.application = application def bind(self,host,port):
self.host = host
self.port = port
self.sockfd.bind((self.host,self.port))
#启动服务器
def serve_forever(self):
self.sockfd.listen(10)
print("Listen the port %d..."%self.port)
while True:
connfd,addr = self.sockfd.accept()
print("Connect from",addr)
handle_client = Thread\
(target = self.client_handler,\
args = (connfd,))
handle_client.setDaemon(True)
handle_client.start() def client_handler(self,connfd):
#接收浏览器request
request = connfd.recv(4096)
#可以分析请求头和请求体
request_lines = request.splitlines()
#获取请求行
request_line = request_lines[0].decode('utf-8') #获取请求方法和请求内容
pattern = r'(?P<METHOD>[A-Z]+)\s+(?P<PATH_INFO>/\S*)'
try:
env = re.match(pattern,request_line).groupdict()
except:
response_headlers = "HTTP/1.1 500 SERVER ERROR\r\n"
response_headlers += "\r\n"
response_body = "server error"
response = response_headlers + response_body
connfd.send(response.encode()) # method,filename = \
# re.findall(r'^([A-Z]+)\s+(/\S*)', request_line)[0] #将解析内容合成字典给web frame使用
# env = {'METHOD':method,'PATH_INFO':filename}
# print(env) #将env给Frame处理,得到返回内容
response = self.application(env) #发送给客户端
if response:
connfd.send(response.encode())
connfd.close() if __name__ == "__main__":
#将要使用的模块导入进来
sys.path.insert(1,MODULE_PATH)
m = __import__(MODULE)
application = getattr(m,APP) httpd = HTTPServer(application)
httpd.bind(HOST,PORT)
httpd.serve_forever()

setting:

# setting.py

#httpserver配置文件
HOST = '0.0.0.0'
PORT = 8000 #设置要使用的模块和应用
MODULE_PATH = "." #设置Frame模块路径
MODULE = 'WebFrame' #设置模块名称
APP = 'app' #使用的应用
WebFrame:

#coding=utf-8
from views import *
'''
WebFrame.py
WebFrame 框架
用于处理server解析请求
''' #设置静态文件夹路径
STATIC_DIR = "./static" #应用
class Application(object):
def __init__(self,urls):
self.urls = urls def __call__(self,env):
method = env.get("METHOD",'GET')
path = env.get("PATH_INFO",'/') #请求内容 if method == 'GET':
if path == '/' or path[-5:] == '.html':
response = self.get_html(path)
else:
response = self.get_data(path)
elif method == 'POST':
pass return response def get_html(self,path):
if path == '/':
get_file = STATIC_DIR + "/index.html"
else:
get_file = STATIC_DIR + path
try:
fd = open(get_file)
except IOError :
#没有找到请求网页
responseHeaders = "HTTP/1.1 404 not found\r\n"
responseHeaders += '\r\n'
response_body = "Sorry,the page not found"
else:
responseHeaders = "HTTP/1.1 200 OK\r\n"
responseHeaders += '\r\n'
response_body = fd.read()
finally:
response = responseHeaders + response_body
return response def get_data(self,path):
for url,handler in self.urls:
if path == url:
response_headers = "HTTP/1.1 200 OK\r\n"
response_headers += '\r\n'
response_body = handler()
return response_headers + response_body response_headers = "HTTP/1.1 404 not found\r\n"
response_headers += '\r\n'
response_body = "Sorry ,not found the data"
return response_headers + response_body urls = [
('/time',show_time),
('/hello',say_hello),
('/bye',say_bye),
] app = Application(urls)
views:
 

# views.py
# 具体处理模块
import time

def show_time():
return time.ctime() def say_hello():
return "hello world" def say_bye():
return "Good Bye"
 
python 的 httpserver模块
            python2 BaseHTTPServer
            python3 http.server
示例:

try:
from BaseHTTPServer import BaseHTTPRequestHandler,HTTPServer
except ImportError:
from http.server import BaseHTTPRequestHandler,HTTPServer class RequestHandler(BaseHTTPRequestHandler):
def do_GET(self):
print(self.headers) #请求头
print(self.path) #请求内容
fd = open('test.html','rb')
content = fd.read()
#组织response
self.send_response(200)
self.send_header('Content-Type','text/html')
self.end_headers()
self.wfile.write(content) def do_POST(self):
pass address = ('0.0.0.0',8080)
#生成httpserver对象
httpd = HTTPServer(address,RequestHandler)
httpd.serve_forever() #启动服务器

Python全栈 项目(HTTPServer、PiP使用)的更多相关文章

  1. Python全栈 项目(电子词典、协程、pdb调试)

    后面我就不截图了 大家还是看原文吧                          https://yq.aliyun.com/articles/629534 . ................. ...

  2. 老男孩Python全栈第2期+课件笔记【高清完整92天整套视频教程】

    点击了解更多Python课程>>> 老男孩Python全栈第2期+课件笔记[高清完整92天整套视频教程] 课程目录 ├─day01-python 全栈开发-基础篇 │ 01 pyth ...

  3. Python全栈开发【面向对象进阶】

    Python全栈开发[面向对象进阶] 本节内容: isinstance(obj,cls)和issubclass(sub,super) 反射 __setattr__,__delattr__,__geta ...

  4. Python全栈开发【面向对象】

    Python全栈开发[面向对象] 本节内容: 三大编程范式 面向对象设计与面向对象编程 类和对象 静态属性.类方法.静态方法 类组合 继承 多态 封装 三大编程范式 三大编程范式: 1.面向过程编程 ...

  5. 战争热诚的python全栈开发之路

    从学习python开始,一直是自己摸索,但是时间不等人啊,所以自己为了节省时间,决定报个班系统学习,下面整理的文章都是自己学习后,认为重要的需要弄懂的知识点,做出链接,一方面是为了自己找的话方便,一方 ...

  6. Win10构建Python全栈开发环境With WSL

    目录 Win10构建Python全栈开发环境With WSL 启动WSL 总结 对<Dev on Windows with WSL>的补充 Win10构建Python全栈开发环境With ...

  7. python 全栈开发,Day117(popup,Model类的继承,crm业务开发)

    昨日内容回顾 第一部分:权限相关 1. 权限基本流程 用户登录成功后获取权限信息,将[权限和菜单]信息写入到session. 以后用户在来访问,在中间件中进行权限校验. 为了提升用户体验友好度,在后台 ...

  8. python 全栈开发,Day99(作业讲解,DRF版本,DRF分页,DRF序列化进阶)

    昨日内容回顾 1. 为什么要做前后端分离? - 前后端交给不同的人来编写,职责划分明确. - API (IOS,安卓,PC,微信小程序...) - vue.js等框架编写前端时,会比之前写jQuery ...

  9. python 全栈开发,Day98(路飞学城背景,django ContentType组件,表结构讲解)

    昨日内容回顾 1. 为什么要做前后端分离? - 前后端交给不同的人来编写,职责划分明确. - API (IOS,安卓,PC,微信小程序...) - vue.js等框架编写前端时,会比之前写jQuery ...

随机推荐

  1. 走进__proto__属性,看ie是否支持它,谁又来给他归宿

    每一个引用类型的实例中,都有一个指针,指向其原型对象.这个指针在非IE浏览器里通过__proto__表示,而在IE里不提供. 看如下代码: obj = {}; obj.__proto__.toStri ...

  2. Objective-C中,ARC下的 strong和weak指针原理解释

    Objective-C中,ARC下的 strong和weak指针原理解释 提示:本文中所说的"实例变量"即是"成员变量","局部变量"即是& ...

  3. 【AngularJS学习笔记】Java Script "use strict" 严格模式

    ---恢复内容开始--- 学习Angular的时候,发现好多优秀的源码中,JS文件的最上面,都会写上"use strict"; 这几个字符,搜了一下,找到一篇比较不错的文章,抄过来 ...

  4. iOS安装CocoaPods详细过程

    iOS安装CocoaPods详细过程 一.简介 什么是CocoaPods CocoaPods是OS X和iOS下的一个第三类库管理工具,通过CocoaPods工具我们可以为项目添加被称为“Pods”的 ...

  5. 【CodeForces 129 B】Students and Shoelaces(拓扑排序)

    Anna and Maria are in charge of the math club for junior students. When the club gathers together, t ...

  6. STL笔记

    STL的基本概念: 1-容器:是可容纳各种类型的数据结构,是 类模板. 2-迭代器:是用于依次存放容器中的元素,类似指针. 3-算法: 是用于操作容器中元素的 函数模板. sort() 用来对 vec ...

  7. React基本语法

    React 一.导入     0.局部安装 react 和 react-dom         npm install --save-dev react react-dom       1.react ...

  8. burp实时获取token

    在一些web网站里 会加入token来限制用户的一些操作 如果用户的请求里面没有这个token  那么我们的一些操作就会很麻烦 现在 我来演示一下burp如何自动更新token 首先 需要dvwa  ...

  9. Vi中进行多行指定内容替换

    1.先按Esc进入命令模式,然后在打出‘:’(英文输入模式下) 2.输入格式:  首行数,末行数s/要替换的字符串/替换的字符串/g    (不加g只替换每行的一个要替换的字符串,后面的不会替换) e ...

  10. linux 下的torrent下载器qBitTorrent

    BT下载利器--Qbittorrent完全攻 Ubuntu使用命令安装qBittorrent的方法 源码下载