在使用swoole的项目中, 在开发时, 会经常改动代码并查看效果, 由于swoole项目是常驻内存的, 代码改动后并不会影响已经在运行中并加载过该代码的程序, 所以需要重启项目. 为了在改动代码之后可以自动重启项目, 写了如下脚本(需要inotify拓展)
// watcher.php
// 我这里用的laravoole开发laravel项目,所以只需要reload,并不需要把master进程也重启
<?php
new Watcher(__DIR__, function () {
echo 'modified' . PHP_EOL;
passthru('php artisan laravoole reload');
echo date('H:i:s') . ' 已执行 php artisan laravoole reload' . PHP_EOL;
}, ['/storage']);
class Watcher
{
protected $cb; // 回调函数, 重启逻辑在回调里面定义
protected $modified = false; // 是否有代码更新
protected $minTime = 2000; // 最小触发重启间隔, 防止密集更新代码导致频繁重启项目
protected $ignored = []; // 忽略的目录, 用phpstorm开发的话最好把 .idea目录加进来, 不然会频繁重启.如果重启有记录日志, 把日志也加进来, 不然会导致无限重启(因为你一重启就会检测到文件改动, 继续重启)
public function __construct($dir, $cb, $ignore = [])
{
$this->cb = $cb;
foreach ($ignore as $item) {
$this->ignored[] = $dir . $item;
}
$this->watch($dir);
}
protected function watch($directory)
{
//创建一个inotify句柄
$fd = inotify_init();
//监听文件,仅监听修改操作,如果想要监听所有事件可以使用IN_ALL_EVENTS
inotify_add_watch($fd, __DIR__, IN_MODIFY);
foreach ($this->getAllDirs($directory) as $dir) {
inotify_add_watch($fd, $dir, IN_MODIFY);
}
echo 'watch start' . PHP_EOL;
//加入到swoole的事件循环中
swoole_event_add($fd, function ($fd) {
$events = inotify_read($fd);
if ($events) {
$this->modified = true;
}
});
每 2 秒检测一下modified变量是否为真
swoole_timer_tick(2000, function () {
if ($this->modified) {
($this->cb)();
$this->modified = false;
}
});
}
// 使用迭代器遍历目录
protected function getAllDirs($base)
{
$files = scandir($base);
foreach ($files as $file) {
if ($file == '.' || $file == '..') continue;
$filename = $base . DIRECTORY_SEPARATOR . $file;
if (in_array($filename, $this->ignored)) continue;
if (is_dir($filename)) {
yield $filename;
yield from $this->getAllDirs($filename);
}
}
}
}
网友评论