yii2 - интерфейс для бэкенда и бэкэнд для файлов конфигурации контроллера внешнего интерфейса + .htaccess - ПОЛНАЯ КОНФИГУРАЦИЯ - PullRequest
0 голосов
/ 30 мая 2018

Я пытаюсь полностью управлять своей страницей с помощью .htaccess файла и двух ссылок / кнопки или перенаправления:

  • одна из внешнего интерфейса в бэкэнд
  • одна из внутреннего интерфейса во внешний интерфейс

Надеюсь, этого достаточно.

Моя среда - DEV, так как я работаю локально, если в этом разница.

Все, что я пытался:

И я немного запутался с .htaccess файлами и urlManager, поэтому очень признателен за любую помощь.

Давайте проверим файлы:

DIRECTORY ROOT & COMMON


/. Htacces

#prevent directory listing
Options -Indexes
IndexIgnore */*

#follow symbolic links
Options FollowSymlinks
RewriteEngine on
RewriteRule ^admin(/.+)?$ backend/web/$1 [L,PT]
RewriteRule ^(.+)?$ frontend/web

/ common / config / main.php

  return [
    'aliases' => [
        '@bower' => '@vendor/bower-asset',
        '@npm'   => '@vendor/npm-asset',
    ],
    'vendorPath' => dirname(dirname(__DIR__)) . '/vendor',
    'components' => [
        'cache' => [
            'class' => 'yii\caching\FileCache',
        ],
    ],
];

FRONTEND& FRONTEND CONTROLLER


/ внешний интерфейс / .htacces

RewriteEngine on

#if directory or a file exist, use the request directly
RewriteCond %{REQUEST_FILENAME} !-f
RewriteCond %{REQUEST_FILENAME} !-d

#otherwise, forward to index.php
RewriteRule . index.php

/ внешний интерфейс / config / main.php

$params = array_merge(
    require __DIR__ . '/../../common/config/params.php',
    require __DIR__ . '/../../common/config/params-local.php',
    require __DIR__ . '/params.php',
    require __DIR__ . '/params-local.php'
);

return [
    'id' => 'app-frontend',
    'basePath' => dirname(__DIR__),
    'bootstrap' => ['log'],
    'controllerNamespace' => 'frontend\controllers',
    'components' => [
        'request' => [
            'csrfParam' => '_csrf-frontend',
        ],
        // main - used to generate and parse URLs to frontend from 
        'urlManager' => [
            'enablePrettyUrl' => true,
            'showScriptName' => false,
            'baseUrl' => '/frontend/web',
            'rules' => [
                '/' => 'site/index',
                'home' => 'site/home',
                'about' => 'site/about',
                'moje-prace' => 'site/moje-prace',
                'umow-wizyte' => 'rezerwacje/create',
                'contact' => 'site/contact',
                'login' => 'site/login',
                'signup' => '/site/signup',
            ],
        ],
// slave - used to generate URLs to backend from frontend app
        'urlManagerBackend' => [
            'class' => 'yii\web\urlManager',
            'baseUrl' => '/admin',
            'enablePrettyUrl' => true,
            'showScriptName' => false,
        ]

        'user' => [
            'identityClass' => 'common\models\User',
            'enableAutoLogin' => true,
            'identityCookie' => ['name' => '_identity-frontend', 'httpOnly' => true],
        ],
        'session' => [
            // this is the name of the session cookie used for login on the frontend
            'name' => 'advanced-frontend',
        ],
        'log' => [
            'traceLevel' => YII_DEBUG ? 3 : 0,
            'targets' => [
                [
                    'class' => 'yii\log\FileTarget',
                    'levels' => ['error', 'warning'],
                ],
            ],
        ],
        'errorHandler' => [
            'errorAction' => 'site/error',
        ],
    ],
    'params' => $params,
];

/ внешний интерфейс / контроллеры / SiteController.php

namespace frontend\controllers;

use Yii;
use yii\base\InvalidParamException;
use yii\web\BadRequestHttpException;
use yii\web\Controller;
use yii\filters\VerbFilter;
use yii\filters\AccessControl;
use common\models\LoginForm;
use frontend\models\PasswordResetRequestForm;
use frontend\models\ResetPasswordForm;
use frontend\models\SignupForm;
use frontend\models\ContactForm;

/**
 * Site controller
 */
class SiteController extends Controller
{

    /**
     * {@inheritdoc}
     */
    public function behaviors()
    {
        return [
            'access' => [
                'class' => AccessControl::className(),
                'only' => ['logout', 'index', 'home', 'contact', 'about'],
                'rules' => [
                    [
                        'actions' => ['logout'],
                        'allow' => true,
                        'roles' => ['@'],
                    ],
                    [
                        'actions' => ['index'],
                        'allow' => true,
                        'roles' => ['@'],
                    ],
                    [
                        'actions' => ['home'],
                        'allow' => true,
                        'roles' => ['@'],
                    ],
                    [
                        'actions' => ['contact'],
                        'allow' => true,
                        'roles' => ['@'],
                    ],
                    [
                        'actions' => ['about'],
                        'allow' => true,
                        'roles' => ['@'],
                    ],
                ],
            ],
            'verbs' => [
                'class' => VerbFilter::className(),
                'actions' => [
                    'logout' => ['post'],
                ],
            ],
        ];
    }

    /**
     * {@inheritdoc}
     */
    public function actions()
    {
        return [
            'error' => [
                'class' => 'yii\web\ErrorAction',
            ],
            'captcha' => [
                'class' => 'yii\captcha\CaptchaAction',
                'fixedVerifyCode' => YII_ENV_TEST ? 'testme' : null,
            ],
        ];
    }


    /**
     * Displays homepage.
     *
     * @return mixed
     */
    public function actionIndex()
    {
        if (!Yii::$app->user->isGuest) {

            $this->layout = 'main';

            return $this->render('home');
        }

        return $this->goHome();
    }


    /**
     * Displays about page.
     *
     * @return mixed
     */
    public function actionHome()
    {
        return $this->render('home');
    }


    /**
     * Logs in a user.
     *
     * @return mixed
     */
    public function actionLogin()
    {
        $this->layout = 'welcome';

        if (!Yii::$app->user->isGuest) {

            $this->layout = 'main';

            return $this->render('home');
        }

        $model = new LoginForm();
        if ($model->load(Yii::$app->request->post()) && $model->login()) {

            $this->layout = 'main';

            return $this->render('home');
        }
        else {
            $model->password = '';

            return $this->render('login', [
                'model' => $model,
            ]);
        }
    }

    /**
     * Logs out the current user.
     *
     * @return mixed
     */
    public function actionLogout()
    {
        Yii::$app->user->logout();

        return $this->goHome();
    }

    /**
     * Displays contact page.
     *
     * @return mixed
     */
    public function actionContact()
    {
        $model = new ContactForm();
        if ($model->load(Yii::$app->request->post()) && $model->validate()) {

            if ($model->sendEmail(Yii::$app->params['adminEmail'])) {

                Yii::$app->session->setFlash('success', 'Thank you for contacting us. We will respond to you as soon as possible.');
            }
            else {

                Yii::$app->session->setFlash('error', 'There was an error sending your message.');
            }

            return $this->refresh();
        }
        else {
            return $this->render('contact', [
                'model' => $model,
            ]);
        }
    }

    /**
     * Displays about page.
     *
     * @return mixed
     */
    public function actionAbout()
    {
        return $this->render('about');
    }

    /**
     * Signs user up.
     *
     * @return mixed
     */
    public function actionSignup()
    {

        $this->layout = 'welcome';

        $model = new SignupForm();

        if ($model->load(Yii::$app->request->post())) {

            if ($user = $model->signup()) {

                if (Yii::$app->getUser()->login($user)) {

                    $this->layout = 'main';

                    return $this->actionHome();
                }
            }
        }

        return $this->render('signup', [
            'model' => $model,
        ]);
    }

BACKEND & BACKEND CONTROLLER


/ backend / .htacces

RewriteEngine on

#if directory or a file exist, use the request directly
RewriteCond %{REQUEST_FILENAME} !-f
RewriteCond %{REQUEST_FILENAME} !-d

#otherwise, forward to index.php
RewriteRule . index.php

/ backend / config / main.php

$params = array_merge(
    require __DIR__ . '/../../common/config/params.php',
    require __DIR__ . '/../../common/config/params-local.php',
    require __DIR__ . '/params.php',
    require __DIR__ . '/params-local.php'
);

return [
    'id' => 'app-backend',
    'basePath' => dirname(__DIR__),
    'controllerNamespace' => 'backend\controllers',
    'bootstrap' => ['log'],
    'homeUrl' => '/administrator',
    'modules' => [],
    'components' => [
        'request' => [
            'csrfParam' => '_csrf-backend',
            'baseUrl' => '/administrator',
        ],
        'user' => [
            'identityClass' => 'common\models\User',
            'enableAutoLogin' => true,
            'identityCookie' => ['name' => '_identity-backend', 'httpOnly' => true],
        ],
        'session' => [
            // this is the name of the session cookie used for login on the backend
            'name' => 'advanced-backend',
        ],
        'log' => [
            'traceLevel' => YII_DEBUG ? 3 : 0,
            'targets' => [
                [
                    'class' => 'yii\log\FileTarget',
                    'levels' => ['error', 'warning'],
                ],
            ],
        ],
        'errorHandler' => [
            'errorAction' => 'site/error',
        ],
// main - used to generate and parse URLs to backend from backend app
        'urlManager' => [
            'enablePrettyUrl' => true,
            'showScriptName' => false,
            'baseUrl' => '/backend/web',
        ],
// slave - used to generate URLs to frontend from backend app
        'urlManagerFrontend' => [
            'class' => 'yii\web\urlManager',
            'enablePrettyUrl' => true,
            'showScriptName' => false,
            'baseUrl' => '/',
            'rules' => [
                '/' => 'site/index',
                'home' => 'site/home',
                'about' => 'site/about',
                'moje-prace' => 'site/moje-prace',
                'umow-wizyte' => 'rezerwacje/create',
                'contact' => 'site/contact',
                'login' => 'site/login',
                'signup' => 'site/signup',
            ],
    ],
    'params' => $params,
];

/ backend / controllers / SiteController.php

namespace backend\controllers;

use Yii;
use yii\web\Controller;
use yii\filters\VerbFilter;
use yii\filters\AccessControl;
use common\models\LoginForm;

/**
 * Site controller
 */
class SiteController extends Controller
{
    /**
     * {@inheritdoc}
     */
    public function behaviors()
    {
        return [
            'access' => [
                'class' => AccessControl::className(),
                'rules' => [
                    [
                        'actions' => ['login', 'error'],
                        'allow' => true,
                    ],
                    [
                        'actions' => ['logout', 'index'],
                        'allow' => true,
                        'roles' => ['@'],
                    ],
                ],
            ],
            'verbs' => [
                'class' => VerbFilter::className(),
                'actions' => [
                    'logout' => ['post'],
                ],
            ],
        ];
    }

    /**
     * {@inheritdoc}
     */
    public function actions()
    {
        return [
            'error' => [
                'class' => 'yii\web\ErrorAction',
            ],
        ];
    }

    /**
     * Displays homepage.
     *
     * @return string
     */
    public function actionIndex()
    {
        return $this->render('index');
    }

    /**
     * Login action.
     *
     * @return string
     */
    public function actionLogin()
    {
        if (!Yii::$app->user->isGuest) {
            return $this->goHome();
        }

        $model = new LoginForm();
        if ($model->load(Yii::$app->request->post()) && $model->login()) {
            return $this->goBack();
        } else {
            $model->password = '';

            return $this->render('login', [
                'model' => $model,
            ]);
        }
    }

    /**
     * Logout action.
     *
     * @return string
     */
    public function actionLogout()
    {
        Yii::$app->user->logout();

        return $this->goHome();
    }
}

VHOST & APACHE.CONF


apache2.conf

<Directory />
        Options FollowSymLinks
        AllowOverride All
        Require all granted
</Directory>

<Directory /usr/share>
        AllowOverride All
        Require all granted
</Directory>

<Directory /home/user/project>
        Options FollowSymLinks
        AllowOverride All
        Require all granted
</Directory>

vhost

<VirtualHost *:80>
    ServerAdmin admin@prst.app
    ServerName pp.test
    DocumentRoot /home/user/project/pp/

<Directory "/home/user/project/pp/">
    Options FollowSymLinks
        AllowOverride All
        Require all granted
</Directory>

    ErrorLog ${APACHE_LOG_DIR}/pp__error.log
    CustomLog ${APACHE_LOG_DIR}/pp_access.log combined

</VirtualHost>

Я не могу создать гиперссылку в представлении или перенаправить в контроллере с внешнего интерфейса на внутренний и с внутреннего на внешний интерфейс.

Ответы [ 2 ]

0 голосов
/ 31 мая 2018

Наконец-то все готово!В новой версии yii2 я установил соединения между внешним интерфейсом и внутренним интерфейсом, но у меня все еще есть проблема с симпатичным URL в обеих «сторонах».

бэкэнд / .htaccess


RewriteEngine on

#if directory or a file exist, use the request directly
RewriteCond %{REQUEST_FILENAME} !-f
RewriteCond %{REQUEST_FILENAME} !-d

#otherwise, forward to index.php
RewriteRule . index.php

бэкэнд / config / main.php


use \yii\web\Request;
$baseUrl = str_replace('/backend/web', '/backend/web', (new Request)->getBaseUrl());
$frontEndBaseUrl = str_replace('/backend/web', '/frontend/web', (new Request)->getBaseUrl());

$params = array_merge(
    require __DIR__ . '/../../common/config/params.php',
    require __DIR__ . '/../../common/config/params-local.php',
    require __DIR__ . '/params.php',
    require __DIR__ . '/params-local.php'
);

return [
    'id' => 'app-backend',
    'basePath' => dirname(__DIR__),
    'controllerNamespace' => 'backend\controllers',
    'bootstrap' => ['log'],
    'modules' => [],
    'components' => [
        'request' => [
            'csrfParam' => '_csrf-backend',
        ],

'user' => [
            'identityClass' => 'common\models\User',
            'enableAutoLogin' => true,
            'identityCookie' => ['name' => '_identity-backend', 'httpOnly' => true],
        ],

        'session' => [
            // this is the name of the session cookie used for login on the backend
            'name' => 'advanced-backend',
        ],
        'log' => [
            'traceLevel' => YII_DEBUG ? 3 : 0,
            'targets' => [
                [
                    'class' => 'yii\log\FileTarget',
                    'levels' => ['error', 'warning'],
                ],
            ],
        ],
        'errorHandler' => [
            'errorAction' => 'site/error',
        ],


// main - used to generate and parse URLs to backend from backend app
        'urlManager' => [
            'enablePrettyUrl' => true,
            'showScriptName' => false,
            'baseUrl' => '/backend/web',
        ],
// slave - used to generate URLs to frontend from backend app
        'urlManagerFrontend' => [
            'class' => 'yii\web\urlManager',
            'enablePrettyUrl' => true,
            'showScriptName' => false,
            'baseUrl' => '/',
            'rules' => [
                '/' => 'site/index',
                'home' => 'site/home',
                'about' => 'site/about',
                'moje-prace' => 'site/moje-prace',
                'umow-wizyte' => 'rezerwacje/create',
                'contact' => 'site/contact',
                'login' => 'site/login',
                'signup' => 'site/signup',
            ],
        ],
    ],
    'params' => $params,
];

внутренние ссылки для внешнего интерфейса

, просто созданные с помощью:

$frontendUrl= Yii::$app->urlManagerFrontend->createUrl('//');
echo yii\helpers\Html::a('link to frontend', $frontendUrl);

интерфейс / .htaccess


RewriteEngine on

#if directory or a file exist, use the request directly
RewriteCond %{REQUEST_FILENAME} !-f
RewriteCond %{REQUEST_FILENAME} !-d

#otherwise, forward to index.php
RewriteRule . index.php

интерфейс / config / main.php


use \yii\web\Request;
$baseUrl = str_replace('/frontend/web', '/frontend/web', (new Request)->getBaseUrl());
$backEndBaseUrl = str_replace('/frontend/web', '/backend/web', (new Request)->getBaseUrl());


$params = array_merge(
    require __DIR__ . '/../../common/config/params.php',
    require __DIR__ . '/../../common/config/params-local.php',
    require __DIR__ . '/params.php',
    require __DIR__ . '/params-local.php'
);

return [
    'id' => 'app-frontend',
    'basePath' => dirname(__DIR__),
    'bootstrap' => ['log'],
    'controllerNamespace' => 'frontend\controllers',
    'components' => [
        'request' => [
            'csrfParam' => '_csrf-frontend',
        ],
        'user' => [
            'identityClass' => 'common\models\User',
            'enableAutoLogin' => true,
            'identityCookie' => ['name' => '_identity-frontend', 'httpOnly' => true],
        ],
        'session' => [
            // this is the name of the session cookie used for login on the frontend
            'name' => 'advanced-frontend',
        ],
        'log' => [
            'traceLevel' => YII_DEBUG ? 3 : 0,
            'targets' => [
                [
                    'class' => 'yii\log\FileTarget',
                    'levels' => ['error', 'warning'],
                ],
            ],
        ],
        'errorHandler' => [
            'errorAction' => 'site/error',
        ],

// main - used to generate and parse URLs to frontend from frontend app
        'urlManager' => [
            'enablePrettyUrl' => true,
            'showScriptName' => false,
            'baseUrl' => $baseUrl,
            'rules' => [
                '/' => 'site/index',
                '/home' => 'site/home',
                '/about' => 'site/about',
                'moje-prace' => 'site/moje-prace',
                'umow-wizyte' => 'rezerwacje/create',
                'contact' => 'site/contact',
                'login' => 'site/login',
                'signup' => '/site/signup',
            ],
        ],
// slave - used to generate URLs to backend from frontend app
        'urlManagerBackend' => [
            'class' => 'yii\web\urlManager',
            'baseUrl' => $backEndBaseUrl,
            'enablePrettyUrl' => false,
            'showScriptName' => false,
        ],

    ],
    'params' => $params,
];

ссылки внешнего интерфейса для внутреннего интерфейса

просто создаются с помощью:

$backendUrl= Yii::$app->urlManagerBackend->createUrl('//');
echo yii\helpers\Html::a('link to backend', $backendUrl);

В корневом каталоге, что означает http://localhost/app-name/ я создал файл index.php для перенаправления на внешний интерфейс при нажатииссылка на бэкэнд (во внешний интерфейс):

/ index.php


header("Location: http://pp.test/frontend/web/", true, 301);
exit();

И сейчас это работает так, но я не могувключить симпатичный URL в бэкэнде, так как он не работает в основном.И также я не думаю, что это хороший способ использования перенаправления из другого файла, особенно из корневого каталога.

Обратите внимание, что в файле common / config / main.php не требуется никаких изменений и не требуется файл .htaccess в корневом каталоге.

0 голосов
/ 30 мая 2018

Я предполагаю, что ваш внешний интерфейс находится на http://localhosts, а ваш внутренний - на http://localhosts/admin.Если ваши правила перезаписи не работают должным образом, вы можете попробовать использовать для этого символические ссылки - по крайней мере, для меня это всегда был более простой и менее проблемный способ обработки внешних и внутренних URL-адресов на виртуальном хостинге.


У вас всегда есть 2 UrlManager компонентов: основной (для текущей среды) и ведомый (для второй среды, например, для бэкенда в приложении внешнего интерфейса).Так что в frontend/config/main.php у вас будет что-то вроде:

// ...
// main - used to generate and parse URLs to frontend from frontend app
'urlManager' => [
    'enablePrettyUrl' => true,
    'showScriptName' => false,
    'baseUrl' => '/',
    'rules' => [
        '/' => 'site/index',
        'home' => 'site/home',
        'about' => 'site/about',
        'moje-prace' => 'site/moje-prace',
        'umow-wizyte' => 'rezerwacje/create',
        'contact' => 'site/contact',
        'login' => 'site/login',
        'signup' => 'site/signup',
    ],
],
// slave - used to generate URLs to backend from frontend app
'urlManagerBackend' => [
    'class' => 'yii\web\urlManager',
    'baseUrl' => '/admin',
    'enablePrettyUrl' => true,
    'showScriptName' => false,
],
// ...

А в backend/config/main.php:

// ...
// main - used to generate and parse URLs to backend from backend app
'urlManager' => [
    'enablePrettyUrl' => true,
    'showScriptName' => false,
    'baseUrl' => '/admin',
],
// slave - used to generate URLs to frontend from backend app
'urlManagerFrontend' => [
    'class' => 'yii\web\urlManager',
    'enablePrettyUrl' => true,
    'showScriptName' => false,
    'baseUrl' => '/',
    'rules' => [
        '/' => 'site/index',
        'home' => 'site/home',
        'about' => 'site/about',
        'moje-prace' => 'site/moje-prace',
        'umow-wizyte' => 'rezerwacje/create',
        'contact' => 'site/contact',
        'login' => 'site/login',
        'signup' => 'site/signup',
    ],
],
// ...

Как вы можете видеть, они поменялись местами - main UrlManager fromприложение внешнего интерфейса является подчиненным в приложении внутреннего интерфейса.В зависимости от текущей и целевой среды вы используете другой менеджер URL.

Если вы хотите сгенерировать URL для внешнего интерфейса из внутреннего интерфейса приложения:

Yii::$app->urlManagerFrontend->createUrl('site/index');
// result: http://localhost

Если вы хотите сгенерировать URL для backend из backend app:

Yii::$app->urlManager->createUrl('site/index');
// result: http://localhost/admin/site/index

Если вы хотите сгенерировать URL для backend из интерфейс приложение:

Yii::$app->urlManagerBackend->createUrl('site/index');
// result: http://localhost/admin/site/index

Если вы хотите сгенерировать URL для интерфейс из интерфейс приложение:

Yii::$app->urlManager->createUrl('site/index');
// result: http://localhost
...