Laravel 5 - 根据域设置配置变量

Laravel 5 - Set config variable based on domain

我需要检查当前域是什么,并根据它设置一个配置变量(或其他?)。然后它可以在控制器中使用。模型或视图。想法是用一个数据库构建一个 "template" 网站,但传送的数据将取决于使用的域。

我正在考虑在中间件或服务提供商中执行此操作(我是 Laravel 5 的新手)。

最好的方法是什么?任何 suggestions/advices 都表示赞赏 :)

这就是我最后做的: 1 - 检测 App\Providers\ConfigServiceProvider 中的域并将其添加到配置中:

public function register() {
    switch (Request::server("HTTP_HOST")) {
        case 'domain1.com':
            $country = 'AA';
            break;
        case 'domain2.com':
            $country = 'BB';
            break;
        default:
            $country = 'CC';
            break;
    }
    $config = app('config');
    $config->set('country', $country);
}

2 - 通过将其添加到基本控制器和模型 类(如果有的话)使其在所有控制器和模型中可用:

abstract class Controller extends BaseController {
    use DispatchesCommands,
        ValidatesRequests;

    function __construct() {
        $this->country = config('country');
    }
}

3 - 在我的例子中,创建一个全局范围和一个特征以将其注册到需要按国家/地区过滤所有查询的模型中是很有用的。我已将它们添加到模型的子目录中:

范围

use Illuminate\Database\Eloquent\ScopeInterface;
use Illuminate\Database\Eloquent\Builder;
use Illuminate\Database\Eloquent\Model;

class CountryScope implements ScopeInterface {

    /**
     * Apply scope on the query.
     *
     * @param  \Illuminate\Database\Eloquent\Builder  $builder
     * @param  \Illuminate\Database\Eloquent\Model  $model
     * @return void
     */
    public function apply(Builder $builder, Model $model) {
        //$builder->whereNull($model->getQualifiedDeletedAtColumn());
        $column = $model->getCountryIDColumn();
        $builder->where($column, $model->country);
    }

    /**
     * Remove scope from the query.
     *
     * @param  \Illuminate\Database\Eloquent\Builder  $builder
     * @param  \Illuminate\Database\Eloquent\Model  $model
     * @return void
     */
    public function remove(Builder $builder, Model $model) {

        $query = $builder->getQuery();

        $column = $model->getCountryIDColumn();

        foreach ((array) $query->wheres as $key => $where) 
        {
            if ($where['column'] == $column) {

                unset($query->wheres[$key]);

                $query->wheres = array_values($query->wheres);
            }
        }
    }

}

特质

trait CountryTrait {

    /**
     * Boot the country trait for a model.
     *
     * @return void
     */
    public static function bootCountryTrait()
    {
        static::addGlobalScope(new CountryScope);
    }

    /**
     * Get the country id column name for applying the scope.
     * 
     * @return string
     */
    public function getCountryIDColumn()
    {
        return $this->getTable().'.'.'country_id';
        //return 'country_id';
    }
}

并且在每个需要它的模型中

class Project extends Model {
    use Traits\CountryTrait;
    ...
}

如果您知道更好的方法,请post一个新的答案,或者如果您有改进建议,请发表评论。