實現websocket 主動訊息推送,用laravel+Swoole
阿新 • • 發佈:2019-11-23
近來有個需求:想實現一個可以主動觸發訊息推送的功能,這個可以實現向模板訊息那個,給予所有成員傳送自定義訊息,而不需要通過客戶端傳送訊息,服務端上message中監聽傳送的訊息進行做相對於的業務邏輯。
主動訊息推送實現
平常我們採用 swoole 來寫 WebSocket 服務可能最多的用到的是open,message,close這三個監聽狀態,但是萬萬沒有看下下面的onRequest回撥的使用,沒錯,解決這次主動訊息推送的就是需要用onRequest回撥。
官方文件:正因為swoole_websocket_server繼承自swoole_http_server,所以在 websocket 中有onRequest回撥。
詳細實現:
1 # 這裡是一個laravel中Commands 2 # 執行php artisan swoole start 即可執行 3 <?php 4 5 namespace App\Console\Commands; 6 7 use Illuminate\Console\Command; 8 use swoole_websocket_server; 9 10 class Swoole extends Command 11 { 12 public $ws; 13 /** 14 * The name and signature of the console command. 15 * 16 * @var string 17 */ 18 protected $signature = 'swoole {action}'; 19 20 /** 21 * The console command description. 22 * 23 * @var string 24 */ 25 protected $description = 'Active Push Message'; 26 27 /** 28 * Create a new command instance. 29 * 30 * @return void 31 */ 32 public function __construct() 33 { 34 parent::__construct(); 35 } 36 37 /** 38 * Execute the console command. 39 * 40 * @return mixed 41 */ 42 public function handle() 43 { 44 $arg = $this->argument('action'); 45 switch ($arg) { 46 case 'start': 47 $this->info('swoole server started'); 48 $this->start(); 49 break; 50 case 'stop': 51 $this->info('swoole server stoped'); 52 break; 53 case 'restart': 54 $this->info('swoole server restarted'); 55 break; 56 } 57 } 58 59 /** 60 * 啟動Swoole 61 */ 62 private function start() 63 { 64 $this->ws = new swoole_websocket_server("0.0.0.0", 9502); 65 //監聽WebSocket連線開啟事件 66 $this->ws->on('open', function ($ws, $request) { 67 }); 68 //監聽WebSocket訊息事件 69 $this->ws->on('message', function ($ws, $frame) { 70 $this->info("client is SendMessage\n"); 71 }); 72 //監聽WebSocket主動推送訊息事件 73 $this->ws->on('request', function ($request, $response) { 74 $scene = $request->post['scene']; // 獲取值 75 $this->info("client is PushMessage\n".$scene); 76 }); 77 //監聽WebSocket連線關閉事件 78 $this->ws->on('close', function ($ws, $fd) { 79 $this->info("client is close\n"); 80 }); 81 $this->ws->start(); 82 } 83 }
前面說的是 swoole 中onRequest的實現,下面實現下在控制器中主動觸發onRequest回撥。實現方法就是我們熟悉的curl請求。
1 # 呼叫activepush方法以後,會在cmd中打印出 2 # client is PushMessage 主動推送訊息 字眼 3 /** 4 * CURL請求 5 * @param $data 6 */ 7 public function curl($data) 8 { 9 $curl = curl_init(); 10 curl_setopt($curl, CURLOPT_URL, "http://127.0.0.1:9502"); 11 curl_setopt($curl, CURLOPT_RETURNTRANSFER, 1); 12 curl_setopt($curl, CURLOPT_HEADER, 1); 13 curl_setopt($curl, CURLOPT_POST, 1); 14 curl_setopt($curl, CURLOPT_POSTFIELDS, $data); 15 curl_exec($curl); 16 curl_close($curl); 17 } 18 19 /** 20 * 主動觸發 21 */ 22 public function activepush() 23 { 24 $param['scene'] = '主動推送訊息'; 25 $this->curl($param); // 主動推送訊息
用途
onRequest 回撥特別適用於需要在控制器中呼叫的推送訊息,比如模板訊息之類,在控制器中呼叫。
推薦閱讀:
PHP 當Swoole 遇上 ThinkPHP5
Swoole和Redis實現的併發佇列處理系統
PHP laravel+thrift+swoole打造微服務框架
PHP Swoole-Demo TCP服務端簡單實現
PHP Swoole長連線常見問題
PHP+Swoole併發程式設計的魅力
php Swoole實現毫秒級定時任務
Swoole跟thinkphp5結合開發WebSocket線上聊天通訊系統
&n