当前位置:首页>php>2026 年 PHP 的三大优势,这门"老将"为何依然重要

2026 年 PHP 的三大优势,这门"老将"为何依然重要

  • 2026-02-07 17:49:22
2026 年 PHP 的三大优势,这门"老将"为何依然重要

PHP “快死了”这句话已经喊了很多年了,如果真有来世,它的简历应该已经相当可观了。

你大概见过这些论调:"PHP 过时了"、"现在没人用 PHP 做正经系统了"、"只有老项目还在用"。这些说法也不算全错——确实有大量遗留 PHP 代码还在运行。但还有另一个现实很少被提及:PHP 仍然在驱动大量生产环境的后端系统,新的 PHP 项目也在不断出现,因为团队想要的东西与五年、十年前一样:

  • 可预测的部署流程
  • 快速迭代
  • 成熟的生态
  • 能够经受多人协作、多年维护的可读代码

我喜欢这类问题,因为它逼你把话说清楚。不是"我喜欢用",不是"它很流行",而是你在生产代码中能实际指出的工程优势。

下面是我的回答,写给两类读者:

  • 如果你刚接触后端开发:你会得到一个清晰的心智模型,理解 PHP 为何仍然适合 Web 系统。
  • 如果你经验丰富:你会看到现代 PHP 实践(类型、静态分析、清晰边界、务实的 API 模式)如何把"PHP 容易上手"变成"PHP 可靠"。

我会尽量用平实的语言,但不会回避技术细节。真实的系统本来就是技术性的。目标是让这些技术内容变得易懂且实用。

什么是"优势":在真实后端工作中的定义

开发者比较编程语言时,讨论经常跑偏到性能基准、语法偏好或者互联网文化。但当你在构建 API 或 Web 后端时,"优势"通常意味着一些更无聊——也更重要的东西:

  • 能否快速交付功能而不埋下维护陷阱?
  • 能否集成数据库、队列和第三方 API 而不从头造轮子?
  • 能否处理混乱的数据和边缘情况而不把代码变成鬼屋?

这就是 PHP 最擅长的领域。不是因为它最优雅,而是因为它的形状刚好契合大多数 Web 后端。

带着这个思路,来看 PHP 在 2026 年的三大优势。

优势一:Web 原生的生产力(PHP 天然契合 HTTP 世界)

大多数后端都是 HTTP 机器。这不是比喻,而是日常工作:

  • 请求进来
  • 校验并规范化
  • 调用服务 / 数据库 / 外部 API
  • 返回 JSON
  • 记录日志和追踪
  • 循环

PHP 的第一个优势是它在这个循环里感觉很自然。你不需要在处理请求之前"搭建世界"。

PHP 的默认模型就是面向 Web 的,这一点往往被低估了。

经典的 PHP 执行模型为何仍然有用

PHP 传统的请求生命周期很简单:

  1. 开始请求
  2. 运行代码
  3. 返回响应
  4. 结束请求

然后下一个请求从头开始。

有人把这当成相对于长驻服务器的劣势,但在实践中它往往是优势:

  • 内存泄漏不会那么致命,因为进程会回收。
  • 每个请求天然隔离。
  • 不太可能意外依赖内存状态。
  • 调试往往更简单,因为每个请求有清晰的边界。

你也可以用长驻模式跑 PHP(RoadRunner、Swoole 等),它们在特定场景下确实很好。但经典模型对许多 API 仍然是可靠的默认选择,因为它稳定且对运维友好。

一个"纯 PHP"的 API 入口(展示基本形态)

即使你在生产环境使用 Laravel 或 Symfony(大多数正经应用确实该用),看看 PHP 为何在 Web 工作中高效还是有帮助的。

<?phpdeclare(strict_types=1);require __DIR__ . '/../vendor/autoload.php';header('Content-Type: application/json; charset=utf-8');$method $_SERVER['REQUEST_METHOD'] ?? 'GET';$path parse_url($_SERVER['REQUEST_URI'] ?? '/', PHP_URL_PATH) ?: '/';functionjsonResponse(array$payloadint$status 200): void{    http_response_code($status);    echo json_encode($payload, JSON_UNESCAPED_UNICODE | JSON_UNESCAPED_SLASHES);    exit;}functionreadJsonBody(): array{    $raw file_get_contents('php://input') ?: '';    $data json_decode($rawtrue);    return is_array($data) ? $data : [];}if($method === 'GET' && $path === '/health') {    jsonResponse(['ok' => true'time' => date(DATE_ATOM)]);}if($method === 'POST' && $path === '/users') {    $body readJsonBody();    $email strtolower(trim((string)($body['email'] ?? '')));    $name  trim((string)($body['name'] ?? ''));    if(!filter_var($email, FILTER_VALIDATE_EMAIL)) {        jsonResponse(['error' => 'Invalid email'], 422);    }    if($name === '') {        jsonResponse(['error' => 'Name is required'], 422);    }    $id random_int(10009999);    jsonResponse(['id' => $id'email' => $email'name' => $name], 201);}jsonResponse(['error' => 'Not found'], 404);

这不是"最佳实践架构",但它演示了核心思想:PHP 的 Web 循环直接且易懂。这就是基础的生产力优势。

"快"与"乱"的区别:薄 handler,真服务

PHP 的 Web 生产力要成为长期优势,前提是保持边界清晰。最容易失去这个优势的方式就是把所有东西都塞进控制器。

一个可扩展的模式:

  • Handler / 控制器:解码请求、调用服务、编码响应
  • 服务:业务逻辑 + 编排
  • Repository / Client:存储 + 外部 API 调用

这是一个与框架无关的小代码例子:

final classCreateUserHandler{    public function__construct(        private readonly UserService $service    ) {}    public function__invoke(array$body): array    {        $input CreateUserInput::fromArray($body);        $user  $this->service->create($input);        return UserResource::toArray($user);    }}

Handler 读起来像一段叙述,这样就对了。

现在服务来做真正的决策:

final classUserService{    public function__construct(        private readonly UserRepository $users    ) {}    public functioncreate(CreateUserInput $input): User    {        if($this->users->existsByEmail($input->email)) {            throw new DomainException('Email already registered');        }        $user User::register($input->email, $input->name);        $this->users->save($user);        return $user;    }}

这个结构也并不花哨,但它能防止代码库在六个月内变成意大利面条。

真实世界的 API 工作:超时和重试是功能的一部分

PHP 保持实用的一个原因是,做 PHP 后端的团队往往很早就被迫面对 Web 的现实。

不是因为 PHP 特殊,而是因为 Web 本身就不宽容。

如果你调用外部 API 却不设超时、不设重试策略,你就是在埋下未来的事故。

下面是一个用 Guzzle 写的封装,在生产环境中能正经干活:

use GuzzleHttp\Client;use GuzzleHttp\Exception\GuzzleException;final classShippingClient{    private Client $http;    public function__construct(string$baseUrlstring$token)    {        $this->http = new Client([            'base_uri' => rtrim($baseUrl'/') . '/',            'timeout' => 3.0,            'connect_timeout' => 1.0,            'headers' => [                'Authorization' => "Bearer {$token}",                'Accept' => 'application/json',            ],        ]);    }    public functioncreateLabel(array$payload): array    {        $attempts 0;        while(true) {            $attempts++;            try {                $resp $this->http->post('labels', ['json' => $payload]);                $data json_decode((string)$resp->getBody(), true);                return is_array($data) ? $data : [];            } catch(GuzzleException $e) {                if($attempts >= 3) {                    throw new RuntimeException('Shipping API failed after retries'0$e);                }                // small exponential backoff + jitter                usleep((int)(100_000 * $attempts) + random_int(050_000));            }        }    }}

当互联网本身是你的依赖时,这种代码是必须的——而 PHP 很适应这个场景。

为什么这是优势一:PHP 契合 HTTP 工作的形状,让团队能快速构建功能而不用与平台对抗。

优势二:生态成熟度(Composer + 框架 + 标准降低风险)

PHP 的第二个优势是杠杆。

很多语言都能做 Web 开发。但能让"无聊的部分"以可复用的方式被解决、让团队能招到已经熟悉这些模式的人,这样的成熟生态并不多。

当你选择 PHP,你选择的不只是语法,还有:

  • Composer + Packagist
  • Laravel / Symfony(以及其他框架)
  • PSR 标准(互操作性)
  • 稳定的工具链(测试、静态分析、格式化、重构)

生态的成熟度能降低风险,风险才是真正要花钱的地方。

Composer:让结构化成为常态的安静基石

Composer 不只是依赖管理——它推动你走向模块化的代码库,用自动加载和命名空间。

一个最小的例子:

{  "require": {    "php""^8.2",    "monolog/monolog""^3.0",    "guzzlehttp/guzzle""^7.0"  },  "autoload": {    "psr-4": {      "App\\""src/"    }  }}

一旦你采用 PSR-4 自动加载,你的代码就不再是"文件",而开始变成"模块"。这个转变是现代 PHP 比老刻板印象更易维护的重要原因。

框架:用无聊的方案解决无聊的问题(这正是重点)

框架可能被过度使用,但"不用框架"的做法在应用增长后往往更糟。

Laravel 和 Symfony 为你不想重新发明的东西提供了可靠的默认方案:

  • 路由和中间件
  • 校验和请求处理
  • DI 容器模式
  • 缓存和队列
  • 数据库迁移
  • 结构化的错误处理

大多数生产事故不是来自精妙的业务逻辑,而是来自胶水代码:超时、重试、不一致的校验、部分失败、意外的 payload、不一致的错误响应。

框架默认方案减少这些事故,因为你建立在已经经历过成千上万个生产系统考验的模式之上。

PSR 标准:让你的代码不再被锁死

标准在你集成库或者超出最初决策时最为重要。

例如:PSR-3 日志。

use Psr\Log\LoggerInterface;final classBillingService{    public function__construct(privatereadonly LoggerInterface $logger{}    public functioncharge(int$userIdint$amountCents): void    {        $this->logger->info('Charge request', [            'userId' => $userId,            'amountCents' => $amountCents,        ]);        // ...    }}

这个类不在乎你今天用 Monolog 还是明天换成别的日志库。这种解耦才能让系统演进。

工具链:和 2015 年相比,现代 PHP 像换了一门语言

很多"PHP 黑"来自于对老代码库的体验:弱类型、不一致的模式、"先上线再说"的文化。

现代 PHP 团队通常会用一套简单的质量工具链:

  • 严格类型
  • 静态分析(PHPStan / Psalm)
  • 测试(PHPUnit / Pest)
  • 格式化(PHP-CS-Fixer)
  • 自动重构(Rector)

这套组合会改变你写代码的方式。目标不是完美,而是尽早暴露问题,让代码在迭代中保持可读。

下面是一个小例子,静态分析帮你避免一个运行时 bug:

final classUserRepository{    public functionfindByEmail(string$email): User    {        // DB lookup...        return null// bug    }}

配置好静态分析后,这会立即被标记出来。

PHP 的测试也不必很重。一个聚焦的测试可以读起来像文档:

final classMoneyTestextendsTestCase{    public functiontestItAddsMoneyInSameCurrency(): void    {        $a Money::usd(1000);        $b Money::usd(250);        $sum $a->add($b);        $this->assertSame(1250$sum->cents());        $this->assertSame('USD'$sum->currency());    }}

为什么这是优势二:PHP 的生态让你能快速交付并安全构建,因为工具链和惯例都已成熟。

优势三:务实的数据管道(PHP 擅长"乱进、干净出")

如果你做过一段时间后端,你就知道真相:这份工作就是数据转换。

请求进来格式奇怪。数据库行取出来格式奇怪。外部 API 返回的是"差不多是你期望的"。Webhook 在不方便的时候重试。边缘情况在周五发生。

PHP 在这类工作上特别强,因为它在两种模式下都很自如:

  • 快速操作(字符串、数组、JSON)
  • 结构化代码(DTO、值对象、枚举、readonly 属性)

为了说明我的意思,来构建一个现实的管道:处理来自支付提供商的 webhook。

这是一个很好的测试,因为它结合了:

  • 安全验证
  • 幂等性(重试)
  • 载荷规范化
  • 状态变更
  • 优雅处理未知事件类型

步骤一:保持载荷边界显式化(DTO 优于原始数组)

数组在边界处没问题,但在整个应用中传递原始数组会变得痛苦。所以:尽早解析,尽早结构化。

final classWebhookEvent{    public function__construct(        public readonly string $id,        public readonly string $type,        public readonly int $createdAtEpoch,        public readonly array $data    ) {}    public static functionfromArray(array$payload): self    {        return new self(            id: (string)($payload['id'] ?? ''),            type: (string)($payload['type'] ?? ''),            createdAtEpoch: (int)($payload['created_at'] ?? 0),            data: is_array($payload['data'] ?? null) ? $payload['data'] : []        );    }}

这是务实的做法:我们依赖的字段用强类型,原始数据留着灵活性,新字段加进来也不会炸。

步骤二:验证签名(不要"信任 JSON")

final classWebhookSignatureVerifier{    public function __construct(private readonly string $secret) {}    public function verify(string $rawBodystring $signatureHeader): bool    {        $expected hash_hmac('sha256'$rawBody$this->secret);        return hash_equals($expected$signatureHeader);    }}

这里 hash_equals 很重要,用于避免时序攻击。这是个小细节,但这类习惯正是区分业余代码和生产代码的地方。

步骤三:幂等性(因为 webhook 会重试)

如果你处理同一个事件两次,你可能会:

  • 重复更新订阅
  • 重复发送邮件
  • 重复给账户加款

所以要存储已处理的事件 ID。

final classWebhookIdempotencyStore{    public function __construct(private readonly PDO $pdo) {}    public function hasProcessed(string $eventId): bool    {        $stmt $this->pdo->prepare("SELECT 1 FROM processed_webhooks WHERE event_id = :id");        $stmt->execute([':id' => $eventId]);        return(bool)$stmt->fetchColumn();    }    public function markProcessed(string $eventId): void    {        $stmt $this->pdo->prepare(            "INSERT INTO processed_webhooks (event_id, processed_at)             VALUES (:id, NOW())"        );        $stmt->execute([':id' => $eventId]);    }}

步骤四:干净地映射事件类型(枚举很有帮助)

enum PaymentEventType: string{    case PaymentSucceeded = 'payment.succeeded';    case PaymentFailed = 'payment.failed';}

步骤五:用事务型 handler 把它们组合起来

final classPaymentWebhookHandler{    public function__construct(        private readonly WebhookSignatureVerifier $verifier,        private readonly WebhookIdempotencyStore $idem,        private readonly PaymentService $payments,        private readonly PDO $pdo    ) {}    public functionhandle(string$rawBodystring$signatureHeader): void    {        if(!$this->verifier->verify($rawBody$signatureHeader)) {            throw new RuntimeException('Invalid webhook signature');        }        $payload json_decode($rawBodytrue);        if(!is_array($payload)) {            throw new RuntimeException('Invalid JSON');        }        $event WebhookEvent::fromArray($payload);        if($event->id === '' || $event->type === '') {            throw new RuntimeException('Missing event fields');        }        if($this->idem->hasProcessed($event->id)) {            return// safe no-op        }        $this->pdo->beginTransaction();        try {            $this->dispatch($event);            $this->idem->markProcessed($event->id);            $this->pdo->commit();        } catch(Throwable $e) {            $this->pdo->rollBack();            throw $e;        }    }    private functiondispatch(WebhookEvent $event): void    {        $type PaymentEventType::tryFrom($event->type);        if($type === null) {            // unknown event type: ignore or log            return;        }        $paymentId = (string)($event->data['payment_id'] ?? '');        if($paymentId === ''return;        match($type) {            PaymentEventType::PaymentSucceeded => $this->payments->markSucceeded($paymentId),            PaymentEventType::PaymentFailed    => $this->payments->markFailed($paymentId),        };    }}

这是一个干净的管道:

  1. 验证真实性
  2. 解析载荷
  3. 规范化为 DTO
  4. 强制幂等性
  5. 事务
  6. 分发领域动作
  7. 容忍未知事件

这就是 PHP 擅长的"Web 现实"代码:处理那些真正重要的脏活,同时保持可读。

为什么这是优势三:大多数后端都是数据管道,而 PHP 在真实世界约束下构建可理解的管道方面很强。

额外内容:游标分页的实践深入(因为它把三个优势串在一起)

分页是那种看起来简单、等用户翻到深页才暴露问题的功能。它也是个好例子,能说明 PHP 为何还没过时:它同时涉及 HTTP、SQL 性能和响应设计。

为什么 OFFSET 会伤害你

Offset 分页(LIMIT 20 OFFSET 100000)迫使数据库扫描并丢弃大量行。在大表上,深页会变慢。

它在并发写入时也可能不一致:插入/删除可能导致"窗口"移动时出现跳过或重复。

游标分页(keyset/seek)通过使用稳定的排序和代表"你上次停在哪里"的游标来避免这些问题。

规则一:游标逻辑必须匹配排序方向

如果你按最新优先排序:

ORDER BY created_at DESC, id DESC

  • 下一页应该获取"更早"的行
  • 所以条件用 <

如果你的数据库支持元组比较:

SELECT id, created_at, total_centsFROM ordersWHERE (created_at, id) < (?, ?)ORDER BY created_at DESC, id DESCLIMIT ?

如果不支持,用显式逻辑:

SELECT id, created_at, total_centsFROM ordersWHERE created_at < ?   OR (created_at = ? AND id < ?)ORDER BY created_at DESC, id DESCLIMIT ?

规则二:游标应该是不透明的且防篡改

游标通常是一个类似 (created_at, id) 的对,序列化给客户端。Base64 编码在传输时没问题——但不是安全措施。如果你想防止客户端伪造游标,就签名它。

final classCursor{    public function__construct(        public readonly string $createdAtIso,        public readonly int $id    ) {}}final classCursorCodec{    public function__construct(privatereadonlystring$secret{}    public functionencode(Cursor $cursor): string    {        $json json_encode([            'created_at' => $cursor->createdAtIso,            'id' => $cursor->id        ], JSON_UNESCAPED_SLASHES);        $b64 rtrim(strtr(base64_encode($json), '+/''-_'), '=');        $sig hash_hmac('sha256'$b64$this->secret);        return $b64 '.' . $sig;    }    public functiondecode(string$token): Cursor    {        $parts explode('.'$token2);        if(count($parts) !== 2) {            throw new InvalidArgumentException('Invalid cursor');        }        [$b64$sig] = $parts;        $expected hash_hmac('sha256'$b64$this->secret);        if(!hash_equals($expected$sig)) {            throw new InvalidArgumentException('Cursor signature mismatch');        }        $json base64_decode(strtr($b64'-_''+/'), true);        if($json === false) {            throw new InvalidArgumentException('Invalid cursor encoding');        }        $data json_decode($jsontrue);        if(!is_array($data)) {            throw new InvalidArgumentException('Invalid cursor payload');        }        return new Cursor(            createdAtIso: (string)($data['created_at'] ?? ''),            id: (int)($data['id'] ?? 0)        );    }}

Repository 方法:返回条目 + 下一个游标

final classOrderRepository{    public function__construct(privatereadonly PDO $pdo{}    /**     * @return array{items: list<array>, next: ?Cursor}     */    public functionlistPage(?Cursor $afterint$limit): array    {        $limit max(1min($limit100));        if($after === null) {            $sql "SELECT id, created_at, total_cents                    FROM orders                    ORDER BY created_at DESC, id DESC                    LIMIT :limit";            $stmt $this->pdo->prepare($sql);            $stmt->bindValue(':limit'$limit, PDO::PARAM_INT);        } else {            $sql "SELECT id, created_at, total_cents                    FROM orders                    WHERE created_at < :created_at                       OR (created_at = :created_at AND id < :id)                    ORDER BY created_at DESC, id DESC                    LIMIT :limit";            $stmt $this->pdo->prepare($sql);            $stmt->bindValue(':created_at'$after->createdAtIso);            $stmt->bindValue(':id'$after->id, PDO::PARAM_INT);            $stmt->bindValue(':limit'$limit, PDO::PARAM_INT);        }        $stmt->execute();        $rows $stmt->fetchAll(PDO::FETCH_ASSOC);        $items array_map(fn($r) => [            'id' => (int)$r['id'],            'created_at' => (string)$r['created_at'],            'total_cents' => (int)$r['total_cents'],        ], $rows);        $next null;        if($items !== []) {            $last $items[count($items) - 1];            $next new Cursor($last['created_at'], $last['id']);        }        return ['items' => $items'next' => $next];    }}

现在你的 handler 可以解码 after、获取结果、编码 next_cursor——一个横跨 HTTP + SQL + JSON 响应的干净端到端管道。

这就是实践中的最佳平衡点:PHP 的 Web 原生特性、生态工具和数据处理能力在这里汇合。

PHP 不是最佳默认选择的场景(以及好团队怎么做)

PHP 不是万能的最佳工具:

  • CPU 密集型工作负载(视频处理、大规模数值计算)
  • 将极高并发的 socket 服务器作为默认架构
  • 要求前后端用同一门语言共享严格类型的组织

但大多数成功的团队不会把这当成重写一切的理由。他们做的是 Web 一直鼓励的事:组合系统。

  • 在 PHP 强的地方保留 API 表面。
  • 把重计算卸载给 worker 或专门的服务。
  • 用队列处理后台任务。
  • 在怪罪语言之前先优化数据库查询和缓存。

这不是什么"PHP 用户的自我安慰",这就是正常的系统设计。

结论:PHP 真正的超能力是交付可维护的 Web 软件

回到 Felix 最初之问题——PHP 的三大优势有哪些:

  • Web 原生的生产力:PHP 天然契合 HTTP 工作,保持构建循环快速。
  • 生态成熟度:Composer + 框架 + 标准 + 工具链给你杠杆并降低风险。
  • 务实的数据管道:PHP 擅长把混乱的真实世界数据转换成干净、稳定的输出——同时不让代码变得不可读。

如果你想让 PHP 感觉现代(而不是像那些刻板印象),方法始终如一:

  • 保持 handler/控制器薄
  • 用 DTO/值对象建模边界
  • 把超时、重试和幂等性当作一等功能
  • 按读取方式建索引(尤其是分页)
  • 用测试 + 静态分析保护重构

PHP 并不需要追热点。它只要继续做它擅长的事就够了:跑那些实用、好维护、能稳定上线的 Web 系统。

作者:佚名

相关阅读:
PHP 在 2026 年还适用吗?
2026 年的 PHP
2025最适合开发的 Linux 发行版

最新文章

随机文章

基本 文件 流程 错误 SQL 调试
  1. 请求信息 : 2026-02-07 23:40:56 HTTP/2.0 GET : https://f.mffb.com.cn/a/466784.html
  2. 运行时间 : 0.608254s [ 吞吐率:1.64req/s ] 内存消耗:4,442.51kb 文件加载:140
  3. 缓存信息 : 0 reads,0 writes
  4. 会话信息 : SESSION_ID=d5d5b52f85f95175938c1e917fffa4f0
  1. /yingpanguazai/ssd/ssd1/www/f.mffb.com.cn/public/index.php ( 0.79 KB )
  2. /yingpanguazai/ssd/ssd1/www/f.mffb.com.cn/vendor/autoload.php ( 0.17 KB )
  3. /yingpanguazai/ssd/ssd1/www/f.mffb.com.cn/vendor/composer/autoload_real.php ( 2.49 KB )
  4. /yingpanguazai/ssd/ssd1/www/f.mffb.com.cn/vendor/composer/platform_check.php ( 0.90 KB )
  5. /yingpanguazai/ssd/ssd1/www/f.mffb.com.cn/vendor/composer/ClassLoader.php ( 14.03 KB )
  6. /yingpanguazai/ssd/ssd1/www/f.mffb.com.cn/vendor/composer/autoload_static.php ( 4.90 KB )
  7. /yingpanguazai/ssd/ssd1/www/f.mffb.com.cn/vendor/topthink/think-helper/src/helper.php ( 8.34 KB )
  8. /yingpanguazai/ssd/ssd1/www/f.mffb.com.cn/vendor/topthink/think-validate/src/helper.php ( 2.19 KB )
  9. /yingpanguazai/ssd/ssd1/www/f.mffb.com.cn/vendor/topthink/think-orm/src/helper.php ( 1.47 KB )
  10. /yingpanguazai/ssd/ssd1/www/f.mffb.com.cn/vendor/topthink/think-orm/stubs/load_stubs.php ( 0.16 KB )
  11. /yingpanguazai/ssd/ssd1/www/f.mffb.com.cn/vendor/topthink/framework/src/think/Exception.php ( 1.69 KB )
  12. /yingpanguazai/ssd/ssd1/www/f.mffb.com.cn/vendor/topthink/think-container/src/Facade.php ( 2.71 KB )
  13. /yingpanguazai/ssd/ssd1/www/f.mffb.com.cn/vendor/symfony/deprecation-contracts/function.php ( 0.99 KB )
  14. /yingpanguazai/ssd/ssd1/www/f.mffb.com.cn/vendor/symfony/polyfill-mbstring/bootstrap.php ( 8.26 KB )
  15. /yingpanguazai/ssd/ssd1/www/f.mffb.com.cn/vendor/symfony/polyfill-mbstring/bootstrap80.php ( 9.78 KB )
  16. /yingpanguazai/ssd/ssd1/www/f.mffb.com.cn/vendor/symfony/var-dumper/Resources/functions/dump.php ( 1.49 KB )
  17. /yingpanguazai/ssd/ssd1/www/f.mffb.com.cn/vendor/topthink/think-dumper/src/helper.php ( 0.18 KB )
  18. /yingpanguazai/ssd/ssd1/www/f.mffb.com.cn/vendor/symfony/var-dumper/VarDumper.php ( 4.30 KB )
  19. /yingpanguazai/ssd/ssd1/www/f.mffb.com.cn/vendor/topthink/framework/src/think/App.php ( 15.30 KB )
  20. /yingpanguazai/ssd/ssd1/www/f.mffb.com.cn/vendor/topthink/think-container/src/Container.php ( 15.76 KB )
  21. /yingpanguazai/ssd/ssd1/www/f.mffb.com.cn/vendor/psr/container/src/ContainerInterface.php ( 1.02 KB )
  22. /yingpanguazai/ssd/ssd1/www/f.mffb.com.cn/app/provider.php ( 0.19 KB )
  23. /yingpanguazai/ssd/ssd1/www/f.mffb.com.cn/vendor/topthink/framework/src/think/Http.php ( 6.04 KB )
  24. /yingpanguazai/ssd/ssd1/www/f.mffb.com.cn/vendor/topthink/think-helper/src/helper/Str.php ( 7.29 KB )
  25. /yingpanguazai/ssd/ssd1/www/f.mffb.com.cn/vendor/topthink/framework/src/think/Env.php ( 4.68 KB )
  26. /yingpanguazai/ssd/ssd1/www/f.mffb.com.cn/app/common.php ( 0.03 KB )
  27. /yingpanguazai/ssd/ssd1/www/f.mffb.com.cn/vendor/topthink/framework/src/helper.php ( 18.78 KB )
  28. /yingpanguazai/ssd/ssd1/www/f.mffb.com.cn/vendor/topthink/framework/src/think/Config.php ( 5.54 KB )
  29. /yingpanguazai/ssd/ssd1/www/f.mffb.com.cn/config/app.php ( 0.95 KB )
  30. /yingpanguazai/ssd/ssd1/www/f.mffb.com.cn/config/cache.php ( 0.78 KB )
  31. /yingpanguazai/ssd/ssd1/www/f.mffb.com.cn/config/console.php ( 0.23 KB )
  32. /yingpanguazai/ssd/ssd1/www/f.mffb.com.cn/config/cookie.php ( 0.56 KB )
  33. /yingpanguazai/ssd/ssd1/www/f.mffb.com.cn/config/database.php ( 2.48 KB )
  34. /yingpanguazai/ssd/ssd1/www/f.mffb.com.cn/vendor/topthink/framework/src/think/facade/Env.php ( 1.67 KB )
  35. /yingpanguazai/ssd/ssd1/www/f.mffb.com.cn/config/filesystem.php ( 0.61 KB )
  36. /yingpanguazai/ssd/ssd1/www/f.mffb.com.cn/config/lang.php ( 0.91 KB )
  37. /yingpanguazai/ssd/ssd1/www/f.mffb.com.cn/config/log.php ( 1.35 KB )
  38. /yingpanguazai/ssd/ssd1/www/f.mffb.com.cn/config/middleware.php ( 0.19 KB )
  39. /yingpanguazai/ssd/ssd1/www/f.mffb.com.cn/config/route.php ( 1.89 KB )
  40. /yingpanguazai/ssd/ssd1/www/f.mffb.com.cn/config/session.php ( 0.57 KB )
  41. /yingpanguazai/ssd/ssd1/www/f.mffb.com.cn/config/trace.php ( 0.34 KB )
  42. /yingpanguazai/ssd/ssd1/www/f.mffb.com.cn/config/view.php ( 0.82 KB )
  43. /yingpanguazai/ssd/ssd1/www/f.mffb.com.cn/app/event.php ( 0.25 KB )
  44. /yingpanguazai/ssd/ssd1/www/f.mffb.com.cn/vendor/topthink/framework/src/think/Event.php ( 7.67 KB )
  45. /yingpanguazai/ssd/ssd1/www/f.mffb.com.cn/app/service.php ( 0.13 KB )
  46. /yingpanguazai/ssd/ssd1/www/f.mffb.com.cn/app/AppService.php ( 0.26 KB )
  47. /yingpanguazai/ssd/ssd1/www/f.mffb.com.cn/vendor/topthink/framework/src/think/Service.php ( 1.64 KB )
  48. /yingpanguazai/ssd/ssd1/www/f.mffb.com.cn/vendor/topthink/framework/src/think/Lang.php ( 7.35 KB )
  49. /yingpanguazai/ssd/ssd1/www/f.mffb.com.cn/vendor/topthink/framework/src/lang/zh-cn.php ( 13.70 KB )
  50. /yingpanguazai/ssd/ssd1/www/f.mffb.com.cn/vendor/topthink/framework/src/think/initializer/Error.php ( 3.31 KB )
  51. /yingpanguazai/ssd/ssd1/www/f.mffb.com.cn/vendor/topthink/framework/src/think/initializer/RegisterService.php ( 1.33 KB )
  52. /yingpanguazai/ssd/ssd1/www/f.mffb.com.cn/vendor/services.php ( 0.14 KB )
  53. /yingpanguazai/ssd/ssd1/www/f.mffb.com.cn/vendor/topthink/framework/src/think/service/PaginatorService.php ( 1.52 KB )
  54. /yingpanguazai/ssd/ssd1/www/f.mffb.com.cn/vendor/topthink/framework/src/think/service/ValidateService.php ( 0.99 KB )
  55. /yingpanguazai/ssd/ssd1/www/f.mffb.com.cn/vendor/topthink/framework/src/think/service/ModelService.php ( 2.04 KB )
  56. /yingpanguazai/ssd/ssd1/www/f.mffb.com.cn/vendor/topthink/think-trace/src/Service.php ( 0.77 KB )
  57. /yingpanguazai/ssd/ssd1/www/f.mffb.com.cn/vendor/topthink/framework/src/think/Middleware.php ( 6.72 KB )
  58. /yingpanguazai/ssd/ssd1/www/f.mffb.com.cn/vendor/topthink/framework/src/think/initializer/BootService.php ( 0.77 KB )
  59. /yingpanguazai/ssd/ssd1/www/f.mffb.com.cn/vendor/topthink/think-orm/src/Paginator.php ( 11.86 KB )
  60. /yingpanguazai/ssd/ssd1/www/f.mffb.com.cn/vendor/topthink/think-validate/src/Validate.php ( 63.20 KB )
  61. /yingpanguazai/ssd/ssd1/www/f.mffb.com.cn/vendor/topthink/think-orm/src/Model.php ( 23.55 KB )
  62. /yingpanguazai/ssd/ssd1/www/f.mffb.com.cn/vendor/topthink/think-orm/src/model/concern/Attribute.php ( 21.05 KB )
  63. /yingpanguazai/ssd/ssd1/www/f.mffb.com.cn/vendor/topthink/think-orm/src/model/concern/AutoWriteData.php ( 4.21 KB )
  64. /yingpanguazai/ssd/ssd1/www/f.mffb.com.cn/vendor/topthink/think-orm/src/model/concern/Conversion.php ( 6.44 KB )
  65. /yingpanguazai/ssd/ssd1/www/f.mffb.com.cn/vendor/topthink/think-orm/src/model/concern/DbConnect.php ( 5.16 KB )
  66. /yingpanguazai/ssd/ssd1/www/f.mffb.com.cn/vendor/topthink/think-orm/src/model/concern/ModelEvent.php ( 2.33 KB )
  67. /yingpanguazai/ssd/ssd1/www/f.mffb.com.cn/vendor/topthink/think-orm/src/model/concern/RelationShip.php ( 28.29 KB )
  68. /yingpanguazai/ssd/ssd1/www/f.mffb.com.cn/vendor/topthink/think-helper/src/contract/Arrayable.php ( 0.09 KB )
  69. /yingpanguazai/ssd/ssd1/www/f.mffb.com.cn/vendor/topthink/think-helper/src/contract/Jsonable.php ( 0.13 KB )
  70. /yingpanguazai/ssd/ssd1/www/f.mffb.com.cn/vendor/topthink/think-orm/src/model/contract/Modelable.php ( 0.09 KB )
  71. /yingpanguazai/ssd/ssd1/www/f.mffb.com.cn/vendor/topthink/framework/src/think/Db.php ( 2.88 KB )
  72. /yingpanguazai/ssd/ssd1/www/f.mffb.com.cn/vendor/topthink/think-orm/src/DbManager.php ( 8.52 KB )
  73. /yingpanguazai/ssd/ssd1/www/f.mffb.com.cn/vendor/topthink/framework/src/think/Log.php ( 6.28 KB )
  74. /yingpanguazai/ssd/ssd1/www/f.mffb.com.cn/vendor/topthink/framework/src/think/Manager.php ( 3.92 KB )
  75. /yingpanguazai/ssd/ssd1/www/f.mffb.com.cn/vendor/psr/log/src/LoggerTrait.php ( 2.69 KB )
  76. /yingpanguazai/ssd/ssd1/www/f.mffb.com.cn/vendor/psr/log/src/LoggerInterface.php ( 2.71 KB )
  77. /yingpanguazai/ssd/ssd1/www/f.mffb.com.cn/vendor/topthink/framework/src/think/Cache.php ( 4.92 KB )
  78. /yingpanguazai/ssd/ssd1/www/f.mffb.com.cn/vendor/psr/simple-cache/src/CacheInterface.php ( 4.71 KB )
  79. /yingpanguazai/ssd/ssd1/www/f.mffb.com.cn/vendor/topthink/think-helper/src/helper/Arr.php ( 16.63 KB )
  80. /yingpanguazai/ssd/ssd1/www/f.mffb.com.cn/vendor/topthink/framework/src/think/cache/driver/File.php ( 7.84 KB )
  81. /yingpanguazai/ssd/ssd1/www/f.mffb.com.cn/vendor/topthink/framework/src/think/cache/Driver.php ( 9.03 KB )
  82. /yingpanguazai/ssd/ssd1/www/f.mffb.com.cn/vendor/topthink/framework/src/think/contract/CacheHandlerInterface.php ( 1.99 KB )
  83. /yingpanguazai/ssd/ssd1/www/f.mffb.com.cn/app/Request.php ( 0.09 KB )
  84. /yingpanguazai/ssd/ssd1/www/f.mffb.com.cn/vendor/topthink/framework/src/think/Request.php ( 55.78 KB )
  85. /yingpanguazai/ssd/ssd1/www/f.mffb.com.cn/app/middleware.php ( 0.25 KB )
  86. /yingpanguazai/ssd/ssd1/www/f.mffb.com.cn/vendor/topthink/framework/src/think/Pipeline.php ( 2.61 KB )
  87. /yingpanguazai/ssd/ssd1/www/f.mffb.com.cn/vendor/topthink/think-trace/src/TraceDebug.php ( 3.40 KB )
  88. /yingpanguazai/ssd/ssd1/www/f.mffb.com.cn/vendor/topthink/framework/src/think/middleware/SessionInit.php ( 1.94 KB )
  89. /yingpanguazai/ssd/ssd1/www/f.mffb.com.cn/vendor/topthink/framework/src/think/Session.php ( 1.80 KB )
  90. /yingpanguazai/ssd/ssd1/www/f.mffb.com.cn/vendor/topthink/framework/src/think/session/driver/File.php ( 6.27 KB )
  91. /yingpanguazai/ssd/ssd1/www/f.mffb.com.cn/vendor/topthink/framework/src/think/contract/SessionHandlerInterface.php ( 0.87 KB )
  92. /yingpanguazai/ssd/ssd1/www/f.mffb.com.cn/vendor/topthink/framework/src/think/session/Store.php ( 7.12 KB )
  93. /yingpanguazai/ssd/ssd1/www/f.mffb.com.cn/vendor/topthink/framework/src/think/Route.php ( 23.73 KB )
  94. /yingpanguazai/ssd/ssd1/www/f.mffb.com.cn/vendor/topthink/framework/src/think/route/RuleName.php ( 5.75 KB )
  95. /yingpanguazai/ssd/ssd1/www/f.mffb.com.cn/vendor/topthink/framework/src/think/route/Domain.php ( 2.53 KB )
  96. /yingpanguazai/ssd/ssd1/www/f.mffb.com.cn/vendor/topthink/framework/src/think/route/RuleGroup.php ( 22.43 KB )
  97. /yingpanguazai/ssd/ssd1/www/f.mffb.com.cn/vendor/topthink/framework/src/think/route/Rule.php ( 26.95 KB )
  98. /yingpanguazai/ssd/ssd1/www/f.mffb.com.cn/vendor/topthink/framework/src/think/route/RuleItem.php ( 9.78 KB )
  99. /yingpanguazai/ssd/ssd1/www/f.mffb.com.cn/route/app.php ( 1.72 KB )
  100. /yingpanguazai/ssd/ssd1/www/f.mffb.com.cn/vendor/topthink/framework/src/think/facade/Route.php ( 4.70 KB )
  101. /yingpanguazai/ssd/ssd1/www/f.mffb.com.cn/vendor/topthink/framework/src/think/route/dispatch/Controller.php ( 4.74 KB )
  102. /yingpanguazai/ssd/ssd1/www/f.mffb.com.cn/vendor/topthink/framework/src/think/route/Dispatch.php ( 10.44 KB )
  103. /yingpanguazai/ssd/ssd1/www/f.mffb.com.cn/app/controller/Index.php ( 4.81 KB )
  104. /yingpanguazai/ssd/ssd1/www/f.mffb.com.cn/app/BaseController.php ( 2.05 KB )
  105. /yingpanguazai/ssd/ssd1/www/f.mffb.com.cn/vendor/topthink/think-orm/src/facade/Db.php ( 0.93 KB )
  106. /yingpanguazai/ssd/ssd1/www/f.mffb.com.cn/vendor/topthink/think-orm/src/db/connector/Mysql.php ( 5.44 KB )
  107. /yingpanguazai/ssd/ssd1/www/f.mffb.com.cn/vendor/topthink/think-orm/src/db/PDOConnection.php ( 52.47 KB )
  108. /yingpanguazai/ssd/ssd1/www/f.mffb.com.cn/vendor/topthink/think-orm/src/db/Connection.php ( 8.39 KB )
  109. /yingpanguazai/ssd/ssd1/www/f.mffb.com.cn/vendor/topthink/think-orm/src/db/ConnectionInterface.php ( 4.57 KB )
  110. /yingpanguazai/ssd/ssd1/www/f.mffb.com.cn/vendor/topthink/think-orm/src/db/builder/Mysql.php ( 16.58 KB )
  111. /yingpanguazai/ssd/ssd1/www/f.mffb.com.cn/vendor/topthink/think-orm/src/db/Builder.php ( 24.06 KB )
  112. /yingpanguazai/ssd/ssd1/www/f.mffb.com.cn/vendor/topthink/think-orm/src/db/BaseBuilder.php ( 27.50 KB )
  113. /yingpanguazai/ssd/ssd1/www/f.mffb.com.cn/vendor/topthink/think-orm/src/db/Query.php ( 15.71 KB )
  114. /yingpanguazai/ssd/ssd1/www/f.mffb.com.cn/vendor/topthink/think-orm/src/db/BaseQuery.php ( 45.13 KB )
  115. /yingpanguazai/ssd/ssd1/www/f.mffb.com.cn/vendor/topthink/think-orm/src/db/concern/TimeFieldQuery.php ( 7.43 KB )
  116. /yingpanguazai/ssd/ssd1/www/f.mffb.com.cn/vendor/topthink/think-orm/src/db/concern/AggregateQuery.php ( 3.26 KB )
  117. /yingpanguazai/ssd/ssd1/www/f.mffb.com.cn/vendor/topthink/think-orm/src/db/concern/ModelRelationQuery.php ( 20.07 KB )
  118. /yingpanguazai/ssd/ssd1/www/f.mffb.com.cn/vendor/topthink/think-orm/src/db/concern/ParamsBind.php ( 3.66 KB )
  119. /yingpanguazai/ssd/ssd1/www/f.mffb.com.cn/vendor/topthink/think-orm/src/db/concern/ResultOperation.php ( 7.01 KB )
  120. /yingpanguazai/ssd/ssd1/www/f.mffb.com.cn/vendor/topthink/think-orm/src/db/concern/WhereQuery.php ( 19.37 KB )
  121. /yingpanguazai/ssd/ssd1/www/f.mffb.com.cn/vendor/topthink/think-orm/src/db/concern/JoinAndViewQuery.php ( 7.11 KB )
  122. /yingpanguazai/ssd/ssd1/www/f.mffb.com.cn/vendor/topthink/think-orm/src/db/concern/TableFieldInfo.php ( 2.63 KB )
  123. /yingpanguazai/ssd/ssd1/www/f.mffb.com.cn/vendor/topthink/think-orm/src/db/concern/Transaction.php ( 2.77 KB )
  124. /yingpanguazai/ssd/ssd1/www/f.mffb.com.cn/vendor/topthink/framework/src/think/log/driver/File.php ( 5.96 KB )
  125. /yingpanguazai/ssd/ssd1/www/f.mffb.com.cn/vendor/topthink/framework/src/think/contract/LogHandlerInterface.php ( 0.86 KB )
  126. /yingpanguazai/ssd/ssd1/www/f.mffb.com.cn/vendor/topthink/framework/src/think/log/Channel.php ( 3.89 KB )
  127. /yingpanguazai/ssd/ssd1/www/f.mffb.com.cn/vendor/topthink/framework/src/think/event/LogRecord.php ( 1.02 KB )
  128. /yingpanguazai/ssd/ssd1/www/f.mffb.com.cn/vendor/topthink/think-helper/src/Collection.php ( 16.47 KB )
  129. /yingpanguazai/ssd/ssd1/www/f.mffb.com.cn/vendor/topthink/framework/src/think/facade/View.php ( 1.70 KB )
  130. /yingpanguazai/ssd/ssd1/www/f.mffb.com.cn/vendor/topthink/framework/src/think/View.php ( 4.39 KB )
  131. /yingpanguazai/ssd/ssd1/www/f.mffb.com.cn/vendor/topthink/framework/src/think/Response.php ( 8.81 KB )
  132. /yingpanguazai/ssd/ssd1/www/f.mffb.com.cn/vendor/topthink/framework/src/think/response/View.php ( 3.29 KB )
  133. /yingpanguazai/ssd/ssd1/www/f.mffb.com.cn/vendor/topthink/framework/src/think/Cookie.php ( 6.06 KB )
  134. /yingpanguazai/ssd/ssd1/www/f.mffb.com.cn/vendor/topthink/think-view/src/Think.php ( 8.38 KB )
  135. /yingpanguazai/ssd/ssd1/www/f.mffb.com.cn/vendor/topthink/framework/src/think/contract/TemplateHandlerInterface.php ( 1.60 KB )
  136. /yingpanguazai/ssd/ssd1/www/f.mffb.com.cn/vendor/topthink/think-template/src/Template.php ( 46.61 KB )
  137. /yingpanguazai/ssd/ssd1/www/f.mffb.com.cn/vendor/topthink/think-template/src/template/driver/File.php ( 2.41 KB )
  138. /yingpanguazai/ssd/ssd1/www/f.mffb.com.cn/vendor/topthink/think-template/src/template/contract/DriverInterface.php ( 0.86 KB )
  139. /yingpanguazai/ssd/ssd1/www/f.mffb.com.cn/runtime/temp/067d451b9a0c665040f3f1bdd3293d68.php ( 11.98 KB )
  140. /yingpanguazai/ssd/ssd1/www/f.mffb.com.cn/vendor/topthink/think-trace/src/Html.php ( 4.42 KB )
  1. CONNECT:[ UseTime:0.001108s ] mysql:host=127.0.0.1;port=3306;dbname=f_mffb;charset=utf8mb4
  2. SHOW FULL COLUMNS FROM `fenlei` [ RunTime:0.001546s ]
  3. SELECT * FROM `fenlei` WHERE `fid` = 0 [ RunTime:0.000807s ]
  4. SELECT * FROM `fenlei` WHERE `fid` = 63 [ RunTime:0.002868s ]
  5. SHOW FULL COLUMNS FROM `set` [ RunTime:0.001454s ]
  6. SELECT * FROM `set` [ RunTime:0.002574s ]
  7. SHOW FULL COLUMNS FROM `article` [ RunTime:0.001562s ]
  8. SELECT * FROM `article` WHERE `id` = 466784 LIMIT 1 [ RunTime:0.067908s ]
  9. UPDATE `article` SET `lasttime` = 1770478856 WHERE `id` = 466784 [ RunTime:0.305868s ]
  10. SELECT * FROM `fenlei` WHERE `id` = 64 LIMIT 1 [ RunTime:0.001256s ]
  11. SELECT * FROM `article` WHERE `id` < 466784 ORDER BY `id` DESC LIMIT 1 [ RunTime:0.036169s ]
  12. SELECT * FROM `article` WHERE `id` > 466784 ORDER BY `id` ASC LIMIT 1 [ RunTime:0.003599s ]
  13. SELECT * FROM `article` WHERE `id` < 466784 ORDER BY `id` DESC LIMIT 10 [ RunTime:0.012520s ]
  14. SELECT * FROM `article` WHERE `id` < 466784 ORDER BY `id` DESC LIMIT 10,10 [ RunTime:0.001000s ]
  15. SELECT * FROM `article` WHERE `id` < 466784 ORDER BY `id` DESC LIMIT 20,10 [ RunTime:0.020434s ]
0.609808s