Python通過websocket與js用戶端通訊樣本分析

來源:互聯網
上載者:User
具體的 websocket 介紹可見 http://zh.wikipedia.org/wiki/WebSocket

這裡,介紹如何使用 Python 與前端 js 進行通訊。

websocket 使用 HTTP 協議完成握手之後,不通過 HTTP 直接進行 websocket 通訊。

於是,使用 websocket 大致兩個步驟:使用 HTTP 握手,通訊。

js 處理 websocket 要使用 ws 模組; Python 處理則使用 socket 模組建立 TCP 串連即可,比一般的 socket ,只多一個握手以及資料處理的步驟。

握手

過程

包格式

js 用戶端先向伺服器端 python 發送握手包,格式如下:

GET /chat HTTP/1.1Host: server.example.comUpgrade: websocketConnection: UpgradeSec-WebSocket-Key: dGhlIHNhbXBsZSBub25jZQ==Origin: http://example.comSec-WebSocket-Protocol: chat, superchatSec-WebSocket-Version: 13

伺服器回應包格式:

HTTP/1.1 101 Switching ProtocolsUpgrade: websocketConnection: UpgradeSec-WebSocket-Accept: s3pPLMBiTxaQ9kYGzzhZRbK+xOo=Sec-WebSocket-Protocol: chat

其中, Sec-WebSocket-Key 是隨機的,伺服器用這些資料構造一個 SHA-1 資訊摘要。

方法為: key+migic , SHA-1 加密, base-64 加密,如下:

Python 中的處理代碼

MAGIC_STRING = '258EAFA5-E914-47DA-95CA-C5AB0DC85B11'res_key = base64.b64encode(hashlib.sha1(sec_key + MAGIC_STRING).digest())

握手完整代碼

js 端

js 中有處理 websocket 的類,初始化後自動發送握手包,如下:

var socket = new WebSocket('ws://localhost:3368');

Python 端

Python 用 socket 接受得到握手字串,處理後發送

HOST = 'localhost'PORT = 3368MAGIC_STRING = '258EAFA5-E914-47DA-95CA-C5AB0DC85B11'HANDSHAKE_STRING = "HTTP/1.1 101 Switching Protocols\r\n" \      "Upgrade:websocket\r\n" \      "Connection: Upgrade\r\n" \      "Sec-WebSocket-Accept: {1}\r\n" \      "WebSocket-Location: ws://{2}/chat\r\n" \      "WebSocket-Protocol:chat\r\n\r\n" def handshake(con):#con為用socket,accept()得到的socket#這裡省略監聽,accept的代碼,具體可見blog:http://blog.csdn.net/ice110956/article/details/29830627 headers = {} shake = con.recv(1024)  if not len(shake):  return False  header, data = shake.split('\r\n\r\n', 1) for line in header.split('\r\n')[1:]:  key, val = line.split(': ', 1)  headers[key] = val  if 'Sec-WebSocket-Key' not in headers:  print ('This socket is not websocket, client close.')  con.close()  return False  sec_key = headers['Sec-WebSocket-Key'] res_key = base64.b64encode(hashlib.sha1(sec_key + MAGIC_STRING).digest())  str_handshake = HANDSHAKE_STRING.replace('{1}', res_key).replace('{2}', HOST + ':' + str(PORT)) print str_handshake con.send(str_handshake)return True

通訊

不同版本的瀏覽器定義的資料框架格式不同, Python 發送和接收時都要處理得到符合格式的資料包,才能通訊。

Python 接收

Python 接收到瀏覽器發來的資料,要解析後才能得到其中的有用資料。

瀏覽器包格式

固定位元組:

( 1000 0001 或是 1000 0002 )這裡沒用,忽略

包長度位元組:

第一位肯定是 1 ,忽略。剩下 7 個位可以得到一個整數 (0 ~ 127) ,其中

( 1-125 )表此位元組為長度位元組,大小即為長度;

(126)表接下來的兩個位元組才是長度;

(127)表接下來的八個位元組才是長度;

用這種變長的方式表示資料長度,節省資料位元。

mark 掩碼:

mark 掩碼為包長之後的 4 個位元組,之後的兄弟資料要與 mark 掩碼做運算才能得到真實的資料。

兄弟資料:

得到真實資料的方法:將兄弟資料的每一位 x ,和掩碼的第 i%4 位做 xor 運算,其中 i 是 x 在兄弟資料中的索引。

完整代碼

def recv_data(self, num): try:  all_data = self.con.recv(num)  if not len(all_data):   return False except:  return False else:  code_len = ord(all_data[1]) & 127  if code_len == 126:   masks = all_data[4:8]   data = all_data[8:]  elif code_len == 127:   masks = all_data[10:14]   data = all_data[14:]  else:   masks = all_data[2:6]   data = all_data[6:]  raw_str = ""  i = 0  for d in data:   raw_str += chr(ord(d) ^ ord(masks[i % 4]))   i += 1  return raw_str

js 端的 ws 對象,通過 ws.send(str) 即可發送

ws.send(str)

Python 發送

Python 要包資料發送,也需要處理,發送包格式如下

固定位元組:固定的 1000 0001( ‘ \x81 ′ )

包長:根據發送資料長度是否超過 125 , 0xFFFF(65535) 來產生 1 個或 3 個或 9 個位元組,來代表資料長度。

def send_data(self, data): if data:  data = str(data) else:  return False token = "\x81" length = len(data) if length < 126:  token += struct.pack("B", length) elif length <= 0xFFFF:  token += struct.pack("!BH", 126, length) else:  token += struct.pack("!BQ", 127, length) #struct為Python中處理位元的模組,二進位流為C,或網路流的形式。 data = '%s%s' % (token, data) self.con.send(data) return True

js 端通過回呼函數 ws.onmessage() 接受資料

ws.onmessage = function(result,nTime){alert("從服務端收到的資料:");alert("最近一次發送資料到現在接收一共使用時間:" + nTime);console.log(result);}

最終代碼

Python服務端

# _*_ coding:utf-8 _*___author__ = 'Patrick'import socketimport threadingimport sysimport osimport MySQLdbimport base64import hashlibimport struct # ====== config ======HOST = 'localhost'PORT = 3368MAGIC_STRING = '258EAFA5-E914-47DA-95CA-C5AB0DC85B11'HANDSHAKE_STRING = "HTTP/1.1 101 Switching Protocols\r\n" \      "Upgrade:websocket\r\n" \      "Connection: Upgrade\r\n" \      "Sec-WebSocket-Accept: {1}\r\n" \      "WebSocket-Location: ws://{2}/chat\r\n" \      "WebSocket-Protocol:chat\r\n\r\n" class Th(threading.Thread): def __init__(self, connection,):  threading.Thread.__init__(self)  self.con = connection  def run(self):  while True:   try:     pass  self.con.close()  def recv_data(self, num):  try:   all_data = self.con.recv(num)   if not len(all_data):    return False  except:   return False  else:   code_len = ord(all_data[1]) & 127   if code_len == 126:    masks = all_data[4:8]    data = all_data[8:]   elif code_len == 127:    masks = all_data[10:14]    data = all_data[14:]   else:    masks = all_data[2:6]    data = all_data[6:]   raw_str = ""   i = 0   for d in data:    raw_str += chr(ord(d) ^ ord(masks[i % 4]))    i += 1   return raw_str  # send data def send_data(self, data):  if data:   data = str(data)  else:   return False  token = "\x81"  length = len(data)  if length < 126:   token += struct.pack("B", length)  elif length <= 0xFFFF:   token += struct.pack("!BH", 126, length)  else:   token += struct.pack("!BQ", 127, length)  #struct為Python中處理位元的模組,二進位流為C,或網路流的形式。  data = '%s%s' % (token, data)  self.con.send(data)  return True   # handshake def handshake(con):  headers = {}  shake = con.recv(1024)   if not len(shake):   return False   header, data = shake.split('\r\n\r\n', 1)  for line in header.split('\r\n')[1:]:   key, val = line.split(': ', 1)   headers[key] = val   if 'Sec-WebSocket-Key' not in headers:   print ('This socket is not websocket, client close.')   con.close()   return False   sec_key = headers['Sec-WebSocket-Key']  res_key = base64.b64encode(hashlib.sha1(sec_key + MAGIC_STRING).digest())   str_handshake = HANDSHAKE_STRING.replace('{1}', res_key).replace('{2}', HOST + ':' + str(PORT))  print str_handshake  con.send(str_handshake)  return True def new_service(): """start a service socket and listen when coms a connection, start a new thread to handle it"""  sock = socket.socket(socket.AF_INET, socket.SOCK_STREAM) try:  sock.bind(('localhost', 3368))  sock.listen(1000)  #連結隊列大小  print "bind 3368,ready to use" except:  print("Server is already running,quit")  sys.exit()  while True:  connection, address = sock.accept()  #返回元組(socket,add),accept調用時會進入waite狀態  print "Got connection from ", address  if handshake(connection):   print "handshake success"   try:    t = Th(connection, layout)    t.start()    print 'new thread for client ...'   except:    print 'start new thread error'    connection.close()  if __name__ == '__main__': new_service()

js客戶 端


  • 聯繫我們

    該頁面正文內容均來源於網絡整理,並不代表阿里雲官方的觀點,該頁面所提到的產品和服務也與阿里云無關,如果該頁面內容對您造成了困擾,歡迎寫郵件給我們,收到郵件我們將在5個工作日內處理。

    如果您發現本社區中有涉嫌抄襲的內容,歡迎發送郵件至: info-contact@alibabacloud.com 進行舉報並提供相關證據,工作人員會在 5 個工作天內聯絡您,一經查實,本站將立刻刪除涉嫌侵權內容。

    A Free Trial That Lets You Build Big!

    Start building with 50+ products and up to 12 months usage for Elastic Compute Service

    • Sales Support

      1 on 1 presale consultation

    • After-Sales Support

      24/7 Technical Support 6 Free Tickets per Quarter Faster Response

    • Alibaba Cloud offers highly flexible support services tailored to meet your exact needs.