最新消息: 关于Git&GitHub 版本控制你了解多少?
您现在的位置是:群英 > 开发技术 > PHP语言 >
Laravel之模型关联预加载案例分析
网络发表于 2021-04-23 16:56 次浏览
下面由群英网络给大家介绍Laravel之模型关联预加载,希望对需要的朋友有所帮助!

Laravel学习笔记之模型关联预加载

说明:本文主要说明Laravel Eloquent的延迟预加载(Eager Loading),使用延迟预加载来减少MySQL查询次数。同时,作者会将开发过程中的一些截图和代码黏上去,提高阅读效率。

备注:现在有4张表:商家表merchants、商家电话表phones、商家拥有的店铺shops表和店铺里的商品表products。并且关系是:

[
    'merchants_phones' => 'one-to-one',
    'merchants_shops'  => 'one-to-many',
    'shops_products'   => 'one-to-many',
]

现在要求做出一个页面以列表形式显示每个店铺,每个店铺块包含店铺信息如标题、包含店铺商家信息如姓名和电话、包含拥有的商品信息如介绍和价格。看看有没有预加载会有什么不同。

开发环境:Laravel5.1 MAMP PHP7 MySQL5.5

先写个店铺列表页

1.先装上开发插件三件套(具体可参考:Laravel学习笔记之Seeder填充数据小技巧)
不管咋样,先装上开发插件三件套:

composer require barryvdh/laravel-debugbar --dev
composer require barryvdh/laravel-ide-helper --dev
composer require mpociot/laravel-test-factory-helper --dev

//config/app.php
/**
 *Develop Plugin
 */        
BarryvdhDebugbarServiceProvider::class,
MpociotLaravelTestFactoryHelperTestFactoryHelperServiceProvider::class,
BarryvdhLaravelIdeHelperIdeHelperServiceProvider::class,

2.写上表字段、表关联和测试数据填充器Seeder
依次输入指令:

php artisan make:model Merchant -m
php artisan make:model Phone -m
php artisan make:model Shop -m
php artisan make:model Product -m

写上表字段和表关联:

class CreateMerchantsTable extends Migration
{
    /**
     * Run the migrations.
     *
     * @return void
     */
    public function up()
    {
        Schema::create('merchants', function (Blueprint $table) {
            $table->increments('id');
            $table->string('username')->unique();
            $table->string('email')->unique();
            $table->string('first_name');
            $table->string('last_name');
            $table->timestamps();
        });
    }

    /**
     * Reverse the migrations.
     *
     * @return void
     */
    public function down()
    {
        Schema::drop('merchants');
    }
}

class CreatePhonesTable extends Migration
{
    /**
     * Run the migrations.
     *
     * @return void
     */
    public function up()
    {
        Schema::create('phones', function (Blueprint $table) {
            $table->increments('id');
            $table->integer('number')->unsigned();
            $table->integer('merchant_id')->unsigned();
            $table->timestamps();
            $table->foreign('merchant_id')
                ->references('id')
                ->on('merchants')
                ->onUpdate('cascade')
                ->onDelete('cascade');
        });
    }

    /**
     * Reverse the migrations.
     *
     * @return void
     */
    public function down()
    {
        Schema::table('phones', function($table){
            $table->dropForeign('merchant_id'); // Drop foreign key 'user_id' from 'posts' table
        });
        Schema::drop('phones');
    }
}

class CreateShopsTable extends Migration
{
    /**
     * Run the migrations.
     *
     * @return void
     */
    public function up()
    {
        Schema::create('shops', function (Blueprint $table) {
            $table->increments('id');
            $table->string('name');
            $table->string('slug')->unique();
            $table->string('site');
            $table->integer('merchant_id')->unsigned();
            $table->timestamps();
            $table->foreign('merchant_id')
                ->references('id')
                ->on('merchants')
                ->onUpdate('cascade')
                ->onDelete('cascade');
        });
    }

    /**
     * Reverse the migrations.
     *
     * @return void
     */
    public function down()
    {
        Schema::table('shops', function($table){
            $table->dropForeign('merchant_id'); // Drop foreign key 'user_id' from 'posts' table
        });
        Schema::drop('shops');
    }
}

class CreateProductsTable extends Migration
{
    /**
     * Run the migrations.
     *
     * @return void
     */
    public function up()
    {
        Schema::create('products', function (Blueprint $table) {
            $table->increments('id');
            $table->string('name');
            $table->text('short_desc');
            $table->text('long_desc');
            $table->double('price');
            $table->integer('shop_id')->unsigned();
            $table->timestamps();
            $table->foreign('shop_id')
                ->references('id')
                ->on('shops')
                ->onUpdate('cascade')
                ->onDelete('cascade');
        });
    }

    /**
     * Reverse the migrations.
     *
     * @return void
     */
    public function down()
    {
        Schema::table('products', function($table){
            $table->dropForeign('shop_id'); // Drop foreign key 'user_id' from 'posts' table
        });
        Schema::drop('products');
    }
}

/**
 * AppMerchant
 *
 * @property integer $id
 * @property string $username
 * @property string $email
 * @property string $first_name
 * @property string $last_name
 * @property CarbonCarbon $created_at
 * @property CarbonCarbon $updated_at
 * @property-read AppPhone $phone
 * @property-read IlluminateDatabaseEloquentCollection|AppShop[] $shops
 * @method static IlluminateDatabaseQueryBuilder|AppMerchant whereId($value)
 * @method static IlluminateDatabaseQueryBuilder|AppMerchant whereUsername($value)
 * @method static IlluminateDatabaseQueryBuilder|AppMerchant whereEmail($value)
 * @method static IlluminateDatabaseQueryBuilder|AppMerchant whereFirstName($value)
 * @method static IlluminateDatabaseQueryBuilder|AppMerchant whereLastName($value)
 * @method static IlluminateDatabaseQueryBuilder|AppMerchant whereCreatedAt($value)
 * @method static IlluminateDatabaseQueryBuilder|AppMerchant whereUpdatedAt($value)
 * @mixin Eloquent
 */
class Merchant extends Model
{
    /**
     * @return IlluminateDatabaseEloquentRelationsHasOne
     */
    public function phone()
    {
        return $this->hasOne(Phone::class, 'merchant_id');
    }

    /**
     * @return IlluminateDatabaseEloquentRelationsHasMany
     */
    public function shops()
    {
        return $this->hasMany(Shop::class, 'merchant_id');
    }
}

/**
 * AppPhone
 *
 * @property integer $id
 * @property integer $number
 * @property integer $merchant_id
 * @property CarbonCarbon $created_at
 * @property CarbonCarbon $updated_at
 * @property-read AppMerchant $merchant
 * @method static IlluminateDatabaseQueryBuilder|AppPhone whereId($value)
 * @method static IlluminateDatabaseQueryBuilder|AppPhone whereNumber($value)
 * @method static IlluminateDatabaseQueryBuilder|AppPhone whereMerchantId($value)
 * @method static IlluminateDatabaseQueryBuilder|AppPhone whereCreatedAt($value)
 * @method static IlluminateDatabaseQueryBuilder|AppPhone whereUpdatedAt($value)
 * @mixin Eloquent
 */
class Phone extends Model
{
    /**
     * @return IlluminateDatabaseEloquentRelationsBelongsTo
     */
    public function merchant()
    {
        return $this->belongsTo(Merchant::class, 'merchant_id');
    }
}

/**
 * AppProduct
 *
 * @property integer $id
 * @property string $name
 * @property string $short_desc
 * @property string $long_desc
 * @property float $price
 * @property integer $shop_id
 * @property CarbonCarbon $created_at
 * @property CarbonCarbon $updated_at
 * @property-read IlluminateDatabaseEloquentCollection|AppShop[] $shop
 * @method static IlluminateDatabaseQueryBuilder|AppProduct whereId($value)
 * @method static IlluminateDatabaseQueryBuilder|AppProduct whereName($value)
 * @method static IlluminateDatabaseQueryBuilder|AppProduct whereShortDesc($value)
 * @method static IlluminateDatabaseQueryBuilder|AppProduct whereLongDesc($value)
 * @method static IlluminateDatabaseQueryBuilder|AppProduct wherePrice($value)
 * @method static IlluminateDatabaseQueryBuilder|AppProduct whereShopId($value)
 * @method static IlluminateDatabaseQueryBuilder|AppProduct whereCreatedAt($value)
 * @method static IlluminateDatabaseQueryBuilder|AppProduct whereUpdatedAt($value)
 * @mixin Eloquent
 */
class Product extends Model
{
    /**
     * @return IlluminateDatabaseEloquentRelationsBelongsTo
     */
    public function shop()
    {
        return $this->belongsTo(Shop::class, 'shop_id');
    }
}

/**
 * AppShop
 *
 * @property integer $id
 * @property string $name
 * @property string $slug
 * @property string $site
 * @property integer $merchant_id
 * @property CarbonCarbon $created_at
 * @property CarbonCarbon $updated_at
 * @property-read IlluminateDatabaseEloquentCollection|AppMerchant[] $merchant
 * @property-read IlluminateDatabaseEloquentCollection|AppProduct[] $products
 * @method static IlluminateDatabaseQueryBuilder|AppShop whereId($value)
 * @method static IlluminateDatabaseQueryBuilder|AppShop whereName($value)
 * @method static IlluminateDatabaseQueryBuilder|AppShop whereSlug($value)
 * @method static IlluminateDatabaseQueryBuilder|AppShop whereSite($value)
 * @method static IlluminateDatabaseQueryBuilder|AppShop whereMerchantId($value)
 * @method static IlluminateDatabaseQueryBuilder|AppShop whereCreatedAt($value)
 * @method static IlluminateDatabaseQueryBuilder|AppShop whereUpdatedAt($value)
 * @mixin Eloquent
 */
class Shop extends Model
{
    /**
     * @return IlluminateDatabaseEloquentRelationsBelongsTo
     */
    public function merchant()
    {
        return $this->belongsTo(Merchant::class, 'merchant_id');
    }

    /**
     * @return IlluminateDatabaseEloquentRelationsHasMany
     */
    public function products()
    {
        return $this->hasMany(Product::class, 'shop_id');
    }
}

别忘了利用下开发三件套输入指令:

php artisan ide-helper:generate
php artisan ide-helper:models
php artisan test-factory-helper:generate

表的关系如图:

然后写Seeder,可以参考Laravel学习笔记之Seeder填充数据小技巧:

php artisan make:seeder MerchantTableSeeder
php artisan make:seeder PhoneTableSeeder
php artisan make:seeder ShopTableSeeder
php artisan make:seeder ProductTableSeeder
class MerchantTableSeeder extends Seeder
{
    /**
     * Run the database seeds.
     *
     * @return void
     */
    public function run()
    {
        $faker = FakerFactory::create();
        $datas = [];
        foreach (range(1, 20) as $key => $value) {
            $datas[] = [
                'username'   =>  $faker->userName ,
                'email'      =>  $faker->safeEmail ,
                'first_name' =>  $faker->firstName ,
                'last_name'  =>  $faker->lastName ,
                'created_at' => CarbonCarbon::now()->toDateTimeString(),
                'updated_at' => CarbonCarbon::now()->toDateTimeString()
            ];
        }

        DB::table('merchants')->insert($datas);
    }
}

class PhoneTableSeeder extends Seeder
{
    /**
     * Run the database seeds.
     *
     * @return void
     */
    public function run()
    {
        $faker        = FakerFactory::create();
        $merchant_ids = AppMerchant::lists('id')->toArray();
        $datas        = [];
        foreach (range(1, 20) as $key => $value) {
            $datas[]  = [
                'number'      => $faker->randomNumber() ,
                'merchant_id' => $faker->randomElement($merchant_ids) ,
                'created_at'  => CarbonCarbon::now()->toDateTimeString(),
                'updated_at'  => CarbonCarbon::now()->toDateTimeString()
            ];
        }

        DB::table('phones')->insert($datas);
    }
}

class ShopTableSeeder extends Seeder
{
    /**
     * Run the database seeds.
     *
     * @return void
     */
    public function run()
    {
        $faker        = FakerFactory::create();
        $merchant_ids = AppMerchant::lists('id')->toArray();
        $datas        = [];
        foreach (range(1, 40) as $key => $value) {
            $datas[]  = [
                'name'         =>  $faker->name ,
                'slug'         =>  $faker->slug ,
                'site'         =>  $faker->word ,
                'merchant_id'  =>  $faker->randomElement($merchant_ids) ,
                'created_at'   => CarbonCarbon::now()->toDateTimeString(),
                'updated_at'   => CarbonCarbon::now()->toDateTimeString()
            ];
        }

        DB::table('shops')->insert($datas);
    }
}

class ProductTableSeeder extends Seeder
{
    /**
     * Run the database seeds.
     *
     * @return void
     */
    public function run()
    {
        $faker    = FakerFactory::create();
        $shop_ids = AppShop::lists('id')->toArray();
        $datas    = [];
        foreach (range(1, 30) as $key => $value) {
            $datas[] = [
                'name'              =>  $faker->name ,
                'short_desc'        =>  $faker->text ,
                'long_desc'         =>  $faker->text ,
                'price'             =>  $faker->randomFloat() ,
                'shop_id'           =>  $faker->randomElement($shop_ids) ,
                'created_at'        =>  CarbonCarbon::now()->toDateTimeString() ,
                'updated_at'        =>  CarbonCarbon::now()->toDateTimeString()
            ];
        }

        DB::table('products')->insert($datas);
    }
}

php artisan db:seed

3.写个简单View视图
(1)用Repository Pattern来组织代码

//app/Repository
namespace AppRepository;
interface ShopRepositoryInterface
{
    public function all();
}
//app/Repository/Eloquent
namespace AppRepositoryEloquent;

use AppRepositoryShopRepositoryInterface;
use AppShop;

class ShopRepository implements ShopRepositoryInterface
{
    /**
     * @var Shop
     */
    public $shop;
    public function __construct(Shop $shop)
    {
        $this->shop = $shop;
    }

    public function all()
    {
        // TODO: Implement all() method.
        $shops = $this->shop->all();
        return $shops;
    }
}
//app/provider/ShopRepositoryServiceProvider
//php artisan make:provider ShopRepositoryServiceProvider
/**
     * Register the application services.
     *
     * @return void
     */
    public function register()
    {
        $this->app->bind(ShopRepositoryInterface::class, ShopRepository::class);
    }
    
//app/Http/Controllers/ShopController.php
class ShopController extends Controller
{
    /**
     * @var ShopRepositoryInterface
     */
    public $shop;

    /**
     * ShopController constructor.
     * @param ShopRepositoryInterface $shopRepositoryInterface
     */
    public function __construct(ShopRepositoryInterface $shopRepositoryInterface)
    {
        $this->shop = $shopRepositoryInterface;
    }

    public function all()
    {
        $shops = $this->shop->all();
        return view('shop.index', compact('shops'));
    }
}

//视图
//resources/views/shop/layout.blade.php
<html lang="en">
<head>
    <meta charset="utf-8">
    <meta http-equiv="X-UA-Compatible" content="IE=edge">
    <meta name="viewport" content="width=device-width, initial-scale=1">
    <!-- 上述3个meta标签*必须*放在最前面,任何其他内容都*必须*跟随其后! -->
    <title>Bootstrap Template</title>
    <!-- 新 Bootstrap 核心 CSS 文件 -->
    <link rel="stylesheet" href="//cdn.bootcss.com/bootstrap/3.3.5/css/bootstrap.min.css">
    <style>
        html,body{
            width: 100%;
            height: 100%;
        }
        *{
            margin: 0;
            border: 0;
        }
    </style>
</head>
<body>
<p class="container">
    <p class="row">
        <p class="col-xs-12 col-md-12">

            @yield('content')

        </p>
    </p>
</p>

<!-- jQuery文件。务必在bootstrap.min.js 之前引入 -->
<script src="//cdn.bootcss.com/jquery/1.11.3/jquery.min.js"></script>
<!-- 最新的 Bootstrap 核心 JavaScript 文件 -->
<script src="//cdn.bootcss.com/bootstrap/3.3.5/js/bootstrap.min.js"></script>
<script>

</script>
</body>
</html>

//resources/views/shop/index.blade.php
@extends('shop.layout')

@section('content')
    <ul class="list-group">
        @foreach($shops as $shop)
            <li class="list-group-item" style="margin-top: 10px">
                <h1><strong style="color: darkred">Store:</strong>{{$shop->name}}</h1>
                <span><strong style="color: orangered">Member:</strong>{{$shop->merchant->first_name.' '.$shop->merchant->last_name}}</span>
                {{--这里数组取电话号码--}}
                <span><strong style="color: orangered">Phone:</strong>{{$shop->merchant->phone['number']}}</span>
                <ul class="list-group">
                    @foreach($shop->products as $product)
                        <li class="list-group-item">
                            <h3><strong style="color: red">Name:</strong>{{$product->name}}</h3>
                            <h4><strong style="color: red">Desc:</strong>{{$product->short_desc}}</h4>
                            <h4><strong style="color: red">Price:</strong>{{$product->price}}</h4>

{{--                            {!! Debugbar::info('products:'.$product->id) !!}--}}
                        </li>
                    @endforeach
                </ul>
            </li>
        @endforeach
    </ul>

@endsection

//路由
Route::get('/eagerload', 'ShopController@all');

(2)Debugbar查看程序执行数据

可以看到,执行了121次query,耗时38.89ms,效率很低,仔细观察每一个statement就发现这是先扫描shops表,再根据shops中每一个merchant_id去查找merchants表,查找products表也是这样,又有很多次query,这是N 1查找问题。

预加载查询

(1)嵌套预加载
Eloquent在通过属性访问关联数据时是延迟加载的,就是只有该关联数据只有在通过属性访问它时才会被加载。在查找上层模型时可以通过预加载关联数据,避免N 1问题。而且,使用预加载超级简单。
只需修改一行:

//app/Repository/Eloquent/ShopRepository
    public function all()
    {
        // TODO: Implement all() method.
//        $shops = $this->shop->all();
        //通过`点`语法嵌套预加载,多种关联就写对应的关联方法
        //Shop这个Model里关联方法是Merchant()和Products(),Merchant Model里关联方法是Phone()
        $shops = $this->shop->with(['merchant.phone', 'products'])->get();
        return $shops;
    }

不需要修改其他代码,再看Debugbar里的查询:

It is working!!!

发现:只有4个query,耗时3.58ms,效率提高很多。把原来的N 1这种query改造成了where..in..这种query,效率提高不少。可以用EXPLAIN来查看SQL语句的执行计划。

(2)预加载条件限制
还可以对预加载进行条件限制,如对products进行预先排序,代码也很好修改,只需:

//app/Repository/Eloquent/ShopRepository
public function all()
    {
        // TODO: Implement all() method.
//        $shops = $this->shop->all();
//        $shops = $this->shop->with(['merchant.phone', 'products'])->get();
        $shops = $this->shop->with(['members.phone', 'products'=>function($query){
//            $query->orderBy('price', 'desc');
            $query->orderBy('price', 'asc');
        }])->get();
        return $shops;
    }

通过加个限制条件,就等于在预加载products时SQL语句上加个排序。截图就不截取了。

总结:关联模型预加载的确是个有意思的功能,效率提高不少。最近都在瞎研究,遇到好玩的东西再分享出来吧,到时见。

以上就是详解Laravel之模型关联预加载的详细内容,更多请关注群英网络其它相关文章!

标签:laravel 模型
免责声明:本站发布的内容(图片、视频和文字)以原创、转载和分享为主,文章观点不代表本网站立场,如果涉及侵权请联系站长邮箱:mmqy2019@163.com进行举报,并提供相关证据,查实之后,将立刻删除涉嫌侵权内容。
相关信息推荐
2021-09-15 18:27:44 关键词:laravel写法
摘要:今天给大家分享laravel优雅框架写法,新手在刚接触laravel框架就要注意写法的问题,对于laravel的一些写法要注意,养成好的习惯。对此,小编给大家整理了一些Laravel 不太建议的写法,大..
2021-09-15 18:27:29 关键词:laravel框架路由
摘要:laravel框架路由有多少种?在laravel框架中,常见的路由有post,get,put,patch,delete,options。接下来我们就来了解一下它们的写法以及要注意的问题。..
2021-09-15 18:27:20 关键词:laravel框架的优点
摘要:laravel框架的优点和主要功能是什么?对于laravel框架的优点有很多,例如功能多、开源项目多、测试方便和有强大的表单验证功能等等。这篇文章小编就给大家来详细的介绍一下laravel框架..
2021-09-15 18:27:04 关键词:laravel 辅助函数
摘要:今天给大家分享laravel中辅助函数optional()的内容,小编觉得optional()非常实用,因此分享给大家做个参考,下文有对optional()的应用场景及使用有详细介绍,感兴趣的朋友可以参考。..
2021-09-07 18:12:27 关键词:Laravel子查询
摘要:Laravel子查询语句怎么样使用?今天小编就给大家分享一篇Laravel子查询语句使用的实例,对大家学习Laravel子查询有一定的帮助,有需要的朋友可以参考,接下来跟随小编来看看吧。..