search
HomeBackend DevelopmentPHP TutorialSymfony支持多个站点(应用)

Symfony的 标准发行版只支持一个站点,虽然可以通过路由系统中的 Host配置,根据不同的域名使用不同的路由规则,这样也可以实现类似多站点的功能,但缺点也非常明显:

symfony

  • 如果希望某个Service在不同的站点有不同的表现,就没办法实现(DI不能直接注入Request)。
  • 静态文件没办法很好拆分开来
  • 每个页面请求都需要加载所有站点的配置(bundle、路由规则、Service等等),影响性能

经过搜索,发现也有人有相同的困惑,也给出了一个初步的 解决方案。但是还是有一些细节方面的问题,比如标准发行版自带的Composer post-install-cmd/post-update-cmd(清文件缓存、生成bootstrap.cache.php、发布静态文件到web根目录等)不能正常使用。那篇文章只是通过软链解决了bootstrap.cache.php的问题,但并没有提到清文件缓存等。

leo108's blog

这个问题只能自己写代码来解决了,新建一个composer项目,依赖于sensio/distribution-bundle,新建一个ScriptHandler类,代码如下:

http://leo108.com/pid-2202.asp

namespace Dreamore\DreamoreBundle\Composer;use Composer\Script\CommandEvent;use Sensio\Bundle\DistributionBundle\Composer\ScriptHandler as Base;class ScriptHandler extends Base{    /**     * Composer variables are declared static so that an event could update     * a composer.json and set new options, making them immediately available     * to forthcoming listeners.     */    protected static $options = array(        'dm-apps'           => array(),        'dm-assets-install' => 'hard',        'dm-cache-warmup'   => false,    );    /**     * Builds the bootstrap file.     *     * The bootstrap file contains PHP file that are always needed by the application.     * It speeds up the application bootstrapping.     *     * @param $event CommandEvent A instance     */    public static function buildBootstrap(CommandEvent $event)    {        $options = static::getOptions($event);        foreach ($options['dm-apps'] as $config) {            $bootstrapDir = $config['app-dir'];            $autoloadDir  = $config['autoload-dir'];            if (!static::hasDirectory($event, 'app-dir', $bootstrapDir, 'build bootstrap file')) {                return;            }            if (!static::hasDirectory($event, 'autoload-dir', $autoloadDir, 'build bootstrap file')) {                return;            }            static::executeBuildBootstrap($event, $bootstrapDir, $autoloadDir, $options['process-timeout']);        }    }    /**     * Clears the Symfony cache.     *     * @param $event CommandEvent A instance     */    public static function clearCache(CommandEvent $event)    {        $options = static::getOptions($event);        foreach ($options['dm-apps'] as $config) {            $consoleDir = $config['app-dir'];            if (!static::hasDirectory($event, 'app-dir', $consoleDir, 'execute command')) {                return;            }            $warmup = '';            if (!$options['dm-cache-warmup']) {                $warmup = ' --no-warmup';            }            static::executeCommand($event, $consoleDir, 'cache:clear'.$warmup, $options['process-timeout']);        }    }    /**     * Installs the assets under the web root directory.     *     * For better interoperability, assets are copied instead of symlinked by default.     *     * Even if symlinks work on Windows, this is only true on Windows Vista and later,     * but then, only when running the console with admin rights or when disabling the     * strict user permission checks (which can be done on Windows 7 but not on Windows     * Vista).     *     * @param $event CommandEvent A instance     */    public static function installAssets(CommandEvent $event)    {        $options = static::getOptions($event);        foreach ($options['dm-apps'] as $config) {            $needAssets = isset($config['need-assets']) ? $config['need-assets'] : true;            if (!$needAssets) {                continue;            }            $consoleDir = $config['app-dir'];            if (!static::hasDirectory($event, 'app-dir', $consoleDir, 'execute command')) {                return;            }            $webDir = $config['web-dir'];            $symlink = '';            if ($options['dm-assets-install'] == 'symlink') {                $symlink = '--symlink ';            } elseif ($options['dm-assets-install'] == 'relative') {                $symlink = '--symlink --relative ';            }            if (!static::hasDirectory($event, 'web-dir', $webDir, 'install assets')) {                return;            }            static::executeCommand($event, $consoleDir, 'assets:install '.$symlink.escapeshellarg($webDir), $options['process-timeout']);        }    }    protected static function getOptions(CommandEvent $event)    {        $options = array_merge(static::$options, $event->getComposer()->getPackage()->getExtra());        $options['process-timeout'] = $event->getComposer()->getConfig()->get('process-timeout');        return $options;    }}

这里就重写buildBootstrap\clearCache\installAssets这三个方法的逻辑,同时为了避免冲突,我重新命名了配置项,composer.json的配置如下: symfony

"autoload": {    "psr-4": {        "": "src/"    },    "files": [        "apps/api/ApiKernel.php",        "apps/admin/AdminKernel.php",        "apps/wap/WapKernel.php"    ]},"scripts": {    "post-install-cmd": [        "Dreamore\\DreamoreBundle\\Composer\\ScriptHandler::buildBootstrap",        "Dreamore\\DreamoreBundle\\Composer\\ScriptHandler::clearCache",        "Dreamore\\DreamoreBundle\\Composer\\ScriptHandler::installAssets"    ],    "post-update-cmd": [        "Dreamore\\DreamoreBundle\\Composer\\ScriptHandler::buildBootstrap",        "Dreamore\\DreamoreBundle\\Composer\\ScriptHandler::clearCache",        "Dreamore\\DreamoreBundle\\Composer\\ScriptHandler::installAssets"    ]},"extra": {    "dm-apps": [        {            "app-dir": "apps/api",            "autoload-dir": "apps",            "need-assets": false        },        {            "app-dir": "apps/admin",            "autoload-dir": "apps",            "web-dir": "web/admin"        },        {            "app-dir": "apps/wap",            "autoload-dir": "apps",            "web-dir": "web/wap"        }    ],    "dm-assets-install": "relative"}

autoload中的file加入各个站点的kernel文件,这样就不需要手动require了。 leo108's blog

scripts替换成我们自己的ScriptHandler

推酷是个无耻的网站

dm-apps是一个数组,每个站点一项,每个站点的配置有app-dir、autoload-dir、web-dir、need-assets,app-dir代表kernel文件所在的目录;autoload-dir代表autoload.php文件所在的目录,由于各个站点的autoload.php完全一致,所以我就把这个文件放到apps目录下,所有站点共享(因此需要修改每个站点的app.php app_dev.php和console这3个文件);web-dir代表发布静态文件的目标目录;need-assets代表是否需要发布静态文件(比如api这个站点就不需要发布静态文件)。

Statement
The content of this article is voluntarily contributed by netizens, and the copyright belongs to the original author. This site does not assume corresponding legal responsibility. If you find any content suspected of plagiarism or infringement, please contact admin@php.cn
Working with Flash Session Data in LaravelWorking with Flash Session Data in LaravelMar 12, 2025 pm 05:08 PM

Laravel simplifies handling temporary session data using its intuitive flash methods. This is perfect for displaying brief messages, alerts, or notifications within your application. Data persists only for the subsequent request by default: $request-

cURL in PHP: How to Use the PHP cURL Extension in REST APIscURL in PHP: How to Use the PHP cURL Extension in REST APIsMar 14, 2025 am 11:42 AM

The PHP Client URL (cURL) extension is a powerful tool for developers, enabling seamless interaction with remote servers and REST APIs. By leveraging libcurl, a well-respected multi-protocol file transfer library, PHP cURL facilitates efficient execution of various network protocols, including HTTP, HTTPS, and FTP. This extension offers granular control over HTTP requests, supports multiple concurrent operations, and provides built-in security features.

Simplified HTTP Response Mocking in Laravel TestsSimplified HTTP Response Mocking in Laravel TestsMar 12, 2025 pm 05:09 PM

Laravel provides concise HTTP response simulation syntax, simplifying HTTP interaction testing. This approach significantly reduces code redundancy while making your test simulation more intuitive. The basic implementation provides a variety of response type shortcuts: use Illuminate\Support\Facades\Http; Http::fake([ 'google.com' => 'Hello World', 'github.com' => ['foo' => 'bar'], 'forge.laravel.com' =>

12 Best PHP Chat Scripts on CodeCanyon12 Best PHP Chat Scripts on CodeCanyonMar 13, 2025 pm 12:08 PM

Do you want to provide real-time, instant solutions to your customers' most pressing problems? Live chat lets you have real-time conversations with customers and resolve their problems instantly. It allows you to provide faster service to your custom

Explain the concept of late static binding in PHP.Explain the concept of late static binding in PHP.Mar 21, 2025 pm 01:33 PM

Article discusses late static binding (LSB) in PHP, introduced in PHP 5.3, allowing runtime resolution of static method calls for more flexible inheritance.Main issue: LSB vs. traditional polymorphism; LSB's practical applications and potential perfo

PHP Logging: Best Practices for PHP Log AnalysisPHP Logging: Best Practices for PHP Log AnalysisMar 10, 2025 pm 02:32 PM

PHP logging is essential for monitoring and debugging web applications, as well as capturing critical events, errors, and runtime behavior. It provides valuable insights into system performance, helps identify issues, and supports faster troubleshoot

HTTP Method Verification in LaravelHTTP Method Verification in LaravelMar 05, 2025 pm 04:14 PM

Laravel simplifies HTTP verb handling in incoming requests, streamlining diverse operation management within your applications. The method() and isMethod() methods efficiently identify and validate request types. This feature is crucial for building

Discover File Downloads in Laravel with Storage::downloadDiscover File Downloads in Laravel with Storage::downloadMar 06, 2025 am 02:22 AM

The Storage::download method of the Laravel framework provides a concise API for safely handling file downloads while managing abstractions of file storage. Here is an example of using Storage::download() in the example controller:

See all articles

Hot AI Tools

Undresser.AI Undress

Undresser.AI Undress

AI-powered app for creating realistic nude photos

AI Clothes Remover

AI Clothes Remover

Online AI tool for removing clothes from photos.

Undress AI Tool

Undress AI Tool

Undress images for free

Clothoff.io

Clothoff.io

AI clothes remover

AI Hentai Generator

AI Hentai Generator

Generate AI Hentai for free.

Hot Article

Hot Tools

SublimeText3 Linux new version

SublimeText3 Linux new version

SublimeText3 Linux latest version

WebStorm Mac version

WebStorm Mac version

Useful JavaScript development tools

Dreamweaver CS6

Dreamweaver CS6

Visual web development tools

SAP NetWeaver Server Adapter for Eclipse

SAP NetWeaver Server Adapter for Eclipse

Integrate Eclipse with SAP NetWeaver application server.

SublimeText3 Chinese version

SublimeText3 Chinese version

Chinese version, very easy to use