如何更好的组织你的Laravel模型

做你害怕做的事情。
我经常发现自己希望在Laravel应用程序中获得更多关于模型的结构。

默认情况下,模型位于 App 命名空间内,如果你正在处理大型应用程序,这可能会变得非常难以理解。所以我决定在 App\Models 命名空间内组织我的模型。

更新用户模型

要做到这一点,你需要做的第一件事就是将 User 模型移动到 app/Models 目录并相应地更新命名空间。

这要求你更新引用 App\User 类的所有文件。

第一个是 config/auth.php:

1
2
3
4
5
6
'providers' => [
'users' => [
'driver' => 'eloquent',
'model' => App\Models\User::class, // 修改这里
],
],

第二个是 config/services.php 文件:

1
2
3
4
5
'stripe' => [
'model' => App\Models\User::class, // 修改这里
'key' => env('STRIPE_KEY'),
'secret' => env('STRIPE_SECRET'),
],

最后,修改 database/factories/UserFactory.php 文件:

1
2
3
$factory->define(App\Models\User::class, function (Faker $faker) {
...
});

生成模型

现在我们已经改变了 User 模型的命名空间,但是如何生成新的模型。正如我们所知,默认情况下它们将被放置在 App 命名空间下。

为了解决这个问题,我们可以扩展默认的 ModelMakeCommand :

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
<?php
namespace App\Console\Commands;
use Illuminate\Foundation\Console\ModelMakeCommand as Command;
class ModelMakeCommand extends Command
{
/**
* Get the default namespace for the class.
*
* @param string $rootNamespace
* @return string
*/
protected function getDefaultNamespace($rootNamespace)
{
return "{$rootNamespace}\Models";
}
}

并通过将以下内容添加到 AppServiceProvider 中来覆盖服务容器中的现有绑定:

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
<?php
namespace App\Providers;
use Illuminate\Support\ServiceProvider;
use App\Console\Commands\ModelMakeCommand;
class AppServiceProvider extends ServiceProvider
{
/**
* Bootstrap any application services.
*
* @return void
*/
public function boot()
{
//
}
/**
* Register any application services.
*
* @return void
*/
public function register()
{
$this->app->extend('command.model.make', function ($command, $app) {
return new ModelMakeCommand($app['files']);
});
}
}

以上就是需要修改的。现在我们可以继续生成模型,就像我们在我们的终端中使用的一样:php artisan make:model Order,它们将位于 App\Models 命名空间中。

希望你能使用它!

https://phpcasts.org/posts/how-to-organize-your-laravel-models