swoole src

2025-12-10 0 962

swoole src
Swoole is an event-driven, asynchronous, coroutine-based concurrency library with high performance for PHP.

Quick Start

Run Swoole program by Docker

docker run --rm phpswoole/swoole \"php --ri swoole\"

For details on how to use it, see: How to Use This Image.

Documentation

https://wiki.*swoo*l*e.com/

HTTP Service

$http = new Swoole\\Http\\Server(\'127.0.0.1\', 9501);
$http->set([\'hook_flags\' => SWOOLE_HOOK_ALL]);

$http->on(\'request\', function ($request, $response) {
    $result = [];
    Co::join([
        go(function () use (&$result) {
            $result[\'google\'] = file_get_contents(\"https://www.g*oog**le.com/\");
        }),
        go(function () use (&$result) {
            $result[\'taobao\'] = file_get_contents(\"https://www.*tao**bao.com/\");
        })
    ]);
    $response->end(json_encode($result));
});

$http->start();

Concurrency

Co\\run(function() {
    Co\\go(function() {
        while(1) {
            sleep(1);
            $fp = stream_socket_client(\"tcp://127.0.0.1:8000\", $errno, $errstr, 30);
            echo fread($fp, 8192), PHP_EOL;
        }
    });

    Co\\go(function() {
        $fp = stream_socket_server(\"tcp://0.0.0.0:8000\", $errno, $errstr, STREAM_SERVER_BIND | STREAM_SERVER_LISTEN);
        while(1) {
            $conn = stream_socket_accept($fp);
            fwrite($conn, \'The local time is \' . date(\'n/j/Y g:i a\'));
        }
    });

    Co\\go(function() {
        $redis = new Redis();
        $redis->connect(\'127.0.0.1\', 6379);
        while(true) {
            $redis->subscribe([\'test\'], function ($instance, $channelName, $message) {
                echo \'New redis message: \'.$channelName, \"==>\", $message, PHP_EOL;
            });
        }
    });

    Co\\go(function() {
        $redis = new Redis();
        $redis->connect(\'127.0.0.1\', 6379);
        $count = 0;
        while(true) {
            sleep(2);
            $redis->publish(\'test\',\'hello, world, count=\'.$count++);
        }
    });
});

Runtime Hook

Swoole hooks the blocking io function of PHP at the bottom layer and automatically converts it to a non-blocking function, so that these functions can be called concurrently in coroutines.

Supported extension/functions

  • ext-curl (Support symfony and guzzle)
  • ext-redis
  • ext-mysqli
  • ext-pdo_mysql
  • ext-pdo_pgsql
  • ext-pdo_sqlite
  • ext-pdo_oracle
  • ext-pdo_odbc
  • stream functions (e.g. stream_socket_client/stream_socket_server), Supports TCP/UDP/UDG/Unix/SSL/TLS/FileSystem API/Pipe
  • ext-sockets
  • ext-soap
  • sleep/usleep/time_sleep_until
  • proc_open
  • gethostbyname/shell_exec/exec
  • fread/fopen/fsockopen/fwrite/flock

? Develop & Discussion

  • IDE Helper & API: https://gi*thu*b.*com/swoole/ide-helper
  • Twitter: https://twit*ter**.com/phpswoole
  • Discord: https://discord.*swo**ole.dev
  • 中文社区: https://wiki.*swoo*l*e.com/#/other/discussion

? Awesome Swoole

Project Awesome Swoole maintains a curated list of awesome things related to Swoole, including

  • Swoole-based frameworks and libraries.
  • Packages to integrate Swoole with popular PHP frameworks, including Laravel, Symfony, Slim, and Yii.
  • Books, videos, and other learning materials about Swoole.
  • Debugging, profiling, and testing tools for developing Swoole-based applications.
  • Coroutine-friendly packages and libraries.
  • Other Swoole related projects and resources.

Event-based

The network layer in Swoole is event-based and takes full advantage of the underlying epoll/kqueue implementation, making it really easy to serve millions of requests.

Swoole 4.x uses a brand new engine kernel and now it has a full-time developer team, so we are entering an unprecedented period in PHP history which offers a unique possibility for rapid evolution in performance.

⚡ Coroutine

Swoole 4.x or later supports the built-in coroutine with high availability, and you can use fully synchronized code to implement asynchronous performance. PHP code without any additional keywords, the underlying automatic coroutine-scheduling.

Developers can understand coroutines as ultra-lightweight threads, and you can easily create thousands of coroutines in a single process.

MySQL

Concurrency 10K requests to read data from MySQL takes only 0.2s!

$s = microtime(true);
Co\\run(function() {
    for ($c = 100; $c--;) {
        go(function () {
            $mysql = new Swoole\\Coroutine\\MySQL;
            $mysql->connect([
                \'host\' => \'127.0.0.1\',
                \'user\' => \'root\',
                \'password\' => \'root\',
                \'database\' => \'test\'
            ]);
            $statement = $mysql->prepare(\'SELECT * FROM `user`\');
            for ($n = 100; $n--;) {
                $result = $statement->execute();
                assert(count($result) > 0);
            }
        });
    }
});
echo \'use \' . (microtime(true) - $s) . \' s\';

Mixed server

You can create multiple services on the single event loop: TCP, HTTP, Websocket and HTTP2, and easily handle thousands of requests.

function tcp_pack(string $data): string
{
    return pack(\'N\', strlen($data)) . $data;
}
function tcp_unpack(string $data): string
{
    return substr($data, 4, unpack(\'N\', substr($data, 0, 4))[1]);
}
$tcp_options = [
    \'open_length_check\' => true,
    \'package_length_type\' => \'N\',
    \'package_length_offset\' => 0,
    \'package_body_offset\' => 4
];
$server = new Swoole\\WebSocket\\Server(\'127.0.0.1\', 9501, SWOOLE_BASE);
$server->set([\'open_http2_protocol\' => true]);
// http && http2
$server->on(\'request\', function (Swoole\\Http\\Request $request, Swoole\\Http\\Response $response) {
    $response->end(\'Hello \' . $request->rawcontent());
});
// websocket
$server->on(\'message\', function (Swoole\\WebSocket\\Server $server, Swoole\\WebSocket\\Frame $frame) {
    $server->push($frame->fd, \'Hello \' . $frame->data);
});
// tcp
$tcp_server = $server->listen(\'127.0.0.1\', 9502, SWOOLE_TCP);
$tcp_server->set($tcp_options);
$tcp_server->on(\'receive\', function (Swoole\\Server $server, int $fd, int $reactor_id, string $data) {
    $server->send($fd, tcp_pack(\'Hello \' . tcp_unpack($data)));
});
$server->start();

Coroutine clients

Whether you DNS query or send requests or receive responses, all of these are scheduled by coroutine automatically.

go(function () {
    // http
    $http_client = new Swoole\\Coroutine\\Http\\Client(\'127.0.0.1\', 9501);
    assert($http_client->post(\'/\', \'Swoole Http\'));
    var_dump($http_client->body);
    // websocket
    $http_client->upgrade(\'/\');
    $http_client->push(\'Swoole Websocket\');
    var_dump($http_client->recv()->data);
});
go(function () {
    // http2
    $http2_client = new Swoole\\Coroutine\\Http2\\Client(\'localhost\', 9501);
    $http2_client->connect();
    $http2_request = new Swoole\\Http2\\Request;
    $http2_request->method = \'POST\';
    $http2_request->data = \'Swoole Http2\';
    $http2_client->send($http2_request);
    $http2_response = $http2_client->recv();
    var_dump($http2_response->data);
});
go(function () use ($tcp_options) {
    // tcp
    $tcp_client = new Swoole\\Coroutine\\Client(SWOOLE_TCP);
    $tcp_client->set($tcp_options);
    $tcp_client->connect(\'127.0.0.1\', 9502);
    $tcp_client->send(tcp_pack(\'Swoole Tcp\'));
    var_dump(tcp_unpack($tcp_client->recv()));
});

Channel

Channel is the only way for exchanging data between coroutines, the development combination of the Coroutine + Channel is the famous CSP programming model.

In Swoole development, Channel is usually used for implementing connection pool or scheduling coroutine concurrent.

The simplest example of a connection pool

In the following example, we have a thousand concurrently requests to redis. Normally, this has exceeded the maximum number of Redis connections setting and will throw a connection exception, but the connection pool based on Channel can perfectly schedule requests. We don\’t have to worry about connection overload.

class RedisPool
{
    /**@var \\Swoole\\Coroutine\\Channel */
    protected $pool;

    /**
     * RedisPool constructor.
     * @param int $size max connections
     */
    public function __construct(int $size = 100)
    {
        $this->pool = new \\Swoole\\Coroutine\\Channel($size);
        for ($i = 0; $i < $size; $i++) {
            $redis = new \\Swoole\\Coroutine\\Redis();
            $res = $redis->connect(\'127.0.0.1\', 6379);
            if ($res == false) {
                throw new \\RuntimeException(\"failed to connect redis server.\");
            } else {
                $this->put($redis);
            }
        }
    }

    public function get(): \\Swoole\\Coroutine\\Redis
    {
        return $this->pool->pop();
    }

    public function put(\\Swoole\\Coroutine\\Redis $redis)
    {
        $this->pool->push($redis);
    }

    public function close(): void
    {
        $this->pool->close();
        $this->pool = null;
    }
}

go(function () {
    $pool = new RedisPool();
    // max concurrency num is more than max connections
    // but it\'s no problem, channel will help you with scheduling
    for ($c = 0; $c < 1000; $c++) {
        go(function () use ($pool, $c) {
            for ($n = 0; $n < 100; $n++) {
                $redis = $pool->get();
                assert($redis->set(\"awesome-{$c}-{$n}\", \'swoole\'));
                assert($redis->get(\"awesome-{$c}-{$n}\") === \'swoole\');
                assert($redis->delete(\"awesome-{$c}-{$n}\"));
                $pool->put($redis);
            }
        });
    }
});

Producer and consumers

Some Swoole\’s clients implement the defer mode for concurrency, but you can still implement it flexible with a combination of coroutines and channels.

go(function () {
    // User: I need you to bring me some information back.
    // Channel: OK! I will be responsible for scheduling.
    $channel = new Swoole\\Coroutine\\Channel;
    go(function () use ($channel) {
        // Coroutine A: Ok! I will show you the github addr info
        $addr_info = Co::getaddrinfo(\'github.com\');
        $channel->push([\'A\', json_encode($addr_info, JSON_PRETTY_PRINT)]);
    });
    go(function () use ($channel) {
        // Coroutine B: Ok! I will show you what your code look like
        $mirror = Co::readFile(__FILE__);
        $channel->push([\'B\', $mirror]);
    });
    go(function () use ($channel) {
        // Coroutine C: Ok! I will show you the date
        $channel->push([\'C\', date(DATE_W3C)]);
    });
    for ($i = 3; $i--;) {
        list($id, $data) = $channel->pop();
        echo \"From {$id}:\\n {$data}\\n\";
    }
    // User: Amazing, I got every information at earliest time!
});

Timer

$id = Swoole\\Timer::tick(100, function () {
    echo \" Do something...\\n\";
});
Swoole\\Timer::after(500, function () use ($id) {
    Swoole\\Timer::clear($id);
    echo \"⏰ Done\\n\";
});
Swoole\\Timer::after(1000, function () use ($id) {
    if (!Swoole\\Timer::exists($id)) {
        echo \"✅ All right!\\n\";
    }
});

The way of coroutine

go(function () {
    $i = 0;
    while (true) {
        Co::sleep(0.1);
        echo \" Do something...\\n\";
        if (++$i === 5) {
            echo \"? Done\\n\";
            break;
        }
    }
    echo \"? All right!\\n\";
});

Amazing runtime hooks

As of Swoole v4.1.0, we added the ability to transform synchronous PHP network libraries into co-routine libraries using a single line of code.

Simply call the Swoole\\Runtime::enableCoroutine() method at the top of your script. In the sample below we connect to php-redis and concurrently read 10k requests in 0.1s:

Swoole\\Runtime::enableCoroutine();
$s = microtime(true);
Co\\run(function() {
    for ($c = 100; $c--;) {
        go(function () {
            ($redis = new Redis)->connect(\'127.0.0.1\', 6379);
            for ($n = 100; $n--;) {
                assert($redis->get(\'awesome\') === \'swoole\');
            }
        });
    }
});
echo \'use \' . (microtime(true) - $s) . \' s\';

By calling this method, the Swoole kernel replaces ZendVM stream function pointers. If you use php_stream based extensions, all socket operations can be dynamically converted to be asynchronous IO scheduled by coroutine at runtime!

How many things you can do in 1s?

Sleep 10K times, read, write, check and delete files 10K times, use PDO and MySQLi to communicate with the database 10K times, create a TCP server and multiple clients to communicate with each other 10K times, create a UDP server and multiple clients to communicate with each other 10K times… Everything works well in one process!

Just see what the Swoole brings, just imagine…

Swoole\\Runtime::enableCoroutine();
$s = microtime(true);
Co\\run(function() {
    // i just want to sleep...
    for ($c = 100; $c--;) {
        go(function () {
            for ($n = 100; $n--;) {
                usleep(1000);
            }
        });
    }

    // 10K file read and write
    for ($c = 100; $c--;) {
        go(function () use ($c) {
            $tmp_filename = \"/tmp/test-{$c}.php\";
            for ($n = 100; $n--;) {
                $self = file_get_contents(__FILE__);
                file_put_contents($tmp_filename, $self);
                assert(file_get_contents($tmp_filename) === $self);
            }
            unlink($tmp_filename);
        });
    }

    // 10K pdo and mysqli read
    for ($c = 50; $c--;) {
        go(function () {
            $pdo = new PDO(\'mysql:host=127.0.0.1;dbname=test;charset=utf8\', \'root\', \'root\');
            $statement = $pdo->prepare(\'SELECT * FROM `user`\');
            for ($n = 100; $n--;) {
                $statement->execute();
                assert(count($statement->fetchAll()) > 0);
            }
        });
    }
    for ($c = 50; $c--;) {
        go(function () {
            $mysqli = new Mysqli(\'127.0.0.1\', \'root\', \'root\', \'test\');
            $statement = $mysqli->prepare(\'SELECT `id` FROM `user`\');
            for ($n = 100; $n--;) {
                $statement->bind_result($id);
                $statement->execute();
                $statement->fetch();
                assert($id > 0);
            }
        });
    }

    // php_stream tcp server & client with 12.8K requests in single process
    function tcp_pack(string $data): string
    {
        return pack(\'n\', strlen($data)) . $data;
    }

    function tcp_length(string $head): int
    {
        return unpack(\'n\', $head)[1];
    }

    go(function () {
        $ctx = stream_context_create([\'socket\' => [\'so_reuseaddr\' => true, \'backlog\' => 128]]);
        $socket = stream_socket_server(
            \'tcp://0.0.0.0:9502\',
            $errno, $errstr, STREAM_SERVER_BIND | STREAM_SERVER_LISTEN, $ctx
        );
        if (!$socket) {
            echo \"$errstr ($errno)\\n\";
        } else {
            $i = 0;
            while ($conn = stream_socket_accept($socket, 1)) {
                stream_set_timeout($conn, 5);
                for ($n = 100; $n--;) {
                    $data = fread($conn, tcp_length(fread($conn, 2)));
                    assert($data === \"Hello Swoole Server #{$n}!\");
                    fwrite(

下载源码

通过命令行克隆项目:

git clone https://github.com/swoole/swoole-src.git

收藏 (0) 打赏

感谢您的支持,我会继续努力的!

打开微信/支付宝扫一扫,即可进行扫码打赏哦,分享从这里开始,精彩与您同在
点赞 (0)

申明:本文由第三方发布,内容仅代表作者观点,与本网站无关。对本文以及其中全部或者部分内容的真实性、完整性、及时性本站不作任何保证或承诺,请读者仅作参考,并请自行核实相关内容。本网发布或转载文章出于传递更多信息之目的,并不意味着赞同其观点或证实其描述,也不代表本网对其真实性负责。

左子网 编程相关 swoole src https://www.zuozi.net/33039.html

firefly iii
上一篇: firefly iii
hhvm
下一篇: hhvm
常见问题
  • 1、自动:拍下后,点击(下载)链接即可下载;2、手动:拍下后,联系卖家发放即可或者联系官方找开发者发货。
查看详情
  • 1、源码默认交易周期:手动发货商品为1-3天,并且用户付款金额将会进入平台担保直到交易完成或者3-7天即可发放,如遇纠纷无限期延长收款金额直至纠纷解决或者退款!;
查看详情
  • 1、描述:源码描述(含标题)与实际源码不一致的(例:货不对板); 2、演示:有演示站时,与实际源码小于95%一致的(但描述中有”不保证完全一样、有变化的可能性”类似显著声明的除外); 3、发货:不发货可无理由退款; 4、安装:免费提供安装服务的源码但卖家不履行的; 5、收费:价格虚标,额外收取其他费用的(但描述中有显著声明或双方交易前有商定的除外); 6、其他:如质量方面的硬性常规问题BUG等。 注:经核实符合上述任一,均支持退款,但卖家予以积极解决问题则除外。
查看详情
  • 1、左子会对双方交易的过程及交易商品的快照进行永久存档,以确保交易的真实、有效、安全! 2、左子无法对如“永久包更新”、“永久技术支持”等类似交易之后的商家承诺做担保,请买家自行鉴别; 3、在源码同时有网站演示与图片演示,且站演与图演不一致时,默认按图演作为纠纷评判依据(特别声明或有商定除外); 4、在没有”无任何正当退款依据”的前提下,商品写有”一旦售出,概不支持退款”等类似的声明,视为无效声明; 5、在未拍下前,双方在QQ上所商定的交易内容,亦可成为纠纷评判依据(商定与描述冲突时,商定为准); 6、因聊天记录可作为纠纷评判依据,故双方联系时,只与对方在左子上所留的QQ、手机号沟通,以防对方不承认自我承诺。 7、虽然交易产生纠纷的几率很小,但一定要保留如聊天记录、手机短信等这样的重要信息,以防产生纠纷时便于左子介入快速处理。
查看详情

相关文章

猜你喜欢
发表评论
暂无评论
官方客服团队

为您解决烦忧 - 24小时在线 专业服务