Laravel8中如何最佳化資料庫查詢?這篇文章為大家整理總結18 個 Laravel 8 資料庫查詢優化建議,希望對大家有幫助!
如果應用程式運行緩慢或存在大量資料庫查詢,請依照下列效能最佳化提示來縮短應用程式的載入時間。
1. 檢索大型資料集
本提示主要專注於提高處理大型資料集時應用的記憶體使用率。
處理大的集合時,分組會擷取結果處理,而不是一次檢索處理。
如下展示了從 posts
表格檢索資料的過程。
$posts = Post::all(); // 使用 eloquent $posts = DB::table('posts')->get(); // 使用查询构造器 foreach ($posts as $post){ // 处理 posts 操作 }
上面的範例會從 posts 表檢索所有的記錄並處理。如果這個表達到了 100 多萬行呢?內存將很快被耗盡。
為了避免在處理大型資料集時出現問題,我們可以檢索結果子集並按照下面的方式處理它們。
選項 1:使用 chunk
// 当使用 eloquent 时 $posts = Post::chunk(100, function($posts){ foreach ($posts as $post){ // Process posts } }); // 当使用查询构造器时 $posts = DB::table('posts')->chunk(100, function ($posts){ foreach ($posts as $post){ // Process posts } });
以上範例從 posts 表中擷取 100 筆記錄對其進行處理,另外再擷取 100 筆記錄進行處理。此迭代將繼續,直到處理完所有記錄。
這種方法將創建更多的資料庫查詢,但記憶體效率會更高。通常, 大型資料集的處理應該再後台進行。因此,可以在背景運行時進行更多查詢,以避免在處理大型資料集時耗盡記憶體。
選項 2: 使用遊標
// 使用 eloquent foreach (Post::cursor() as $post){ // 处理单个 post } // 使用 query 构建器 foreach (DB::table('posts')->cursor() as $post){ // 处理单个 post }
範例進行單一資料庫查詢,擷取表格的所有記錄,一個接一個一個處理 Eloquent 模型。這種方式只查詢一次資料庫,得到全部 posts 。但使用 php 產生器 優化記憶體使用。
什麼情況使用這個呢?
這能夠在應用層極大地優化記憶體使用,由於我們檢索表的所有數據,資料庫記憶體佔用任然很高。
在資料庫記憶體較多,應用記憶體較少的時候,建議使用遊標。然而,如果你的資料庫沒有足夠的內存,最好使用 chunks 。
選項3:使用chunkById
// 使用 eloquent $posts = Post::chunkById(100, function($posts){ foreach ($posts as $post){ // 处理 posts } }); // 使用 query 构造器 $posts = DB::table('posts')->chunkById(100, function ($posts){ foreach ($posts as $post){ // 处理 posts } });
#chunk
和chunkById
最大的差異是chunk 透過offset
和limit
檢索資料。然而chunkById
透過id
欄位檢索結構。 id 字段通常是整數字段,而且它也是自增字段。
chunk
和 chunkById
的查詢如下。
chunk
select * from posts offset 0 limit 100
select * from posts offset 101 limit 100
chunkById
select * from posts order by id asc limit 100
select * from posts where id > 100 order by id asc limit 100
通常,查詢使用 limit 和 offset 是較慢的,盡量避免使用。本文 詳細介紹使用 offset 的問題。
chunkById 使用 id 整數字段,透過 where clause
查詢,這樣會更快。
什麼時候使用 chunkById ?
- 當資料庫存在自增
主鍵
的時候使用。
2. 選擇適當的欄位
通常從資料庫檢索資料時,會像下面這樣做。
$posts = Post::find(1); // 使用 eloquent $posts = DB::table('posts')->where('id','=',1)->first(); // 使用 query 构建器
上面的程式碼會得到如下的查詢
select * from posts where id = 1 limit 1
select *
表示從表中查出所有欄位。
當需要所有欄位時,這沒有問題。
然而,只需要指定的列(id,title)時,只需要像下面這樣檢索那些列。
$posts = Post::select(['id','title'])->find(1); // 使用 eloquent $posts = DB::table('posts')->where('id','=',1)->select(['id','title'])->first(); // 使用 query 构建器
上面程式碼得到如下查詢
select id,title from posts where id = 1 limit 1
3. 當需要資料庫表的一兩個列時
這一點主要關注對檢索結果的處理時間。這不影響實際的查詢時間。
如我上面提到的,檢索指定的列,可以這樣做
$posts = Post::select(['title','slug'])->get(); // 使用 eloquent $posts = DB::table('posts')->select(['title','slug'])->get(); // 使用 query 构建器
執行上面的程式碼,它會在幕後執行以下操作。
- 執行
select title, slug from posts
查詢 - 檢索出的每一行對應一個
Post
模型物件(對PHP 物件) (query 建構器得到標準的PHP 物件) - 為
Post
模型產生collection - 傳回collection
存取資料
#foreach ($posts as $post){ // $post 是 Post 模型或 php 标准对象 $post->title; $post->slug; }
上面的方式有額外的開銷,為每一行建立Post
模型,並為這些物件建立一個集合。如果的確需要 Post
模型實例而不是數據,這是最正確的做法。
但如果您只需要兩個值時,則可以執行以下操作:
$posts = Post::pluck('title', 'slug'); // 使用 eloquent 时 $posts = DB::table('posts')->pluck('title','slug'); // 使用查询构造器时
當上面程式碼被執行時,它在幕後會執行以下操作。
- 对数据库执行
select title, slug from posts
查询 - 创建一个数组,其中会以
title
作为数组值
,slug
作为数组键
- 返回数组 ( 数组格式:
[ slug => title, slug => title ]
)
要访问结果,我们可以这么做
foreach ($posts as $slug => $title){ // $title 是 post 的 title // $slug 是 post 的 slug }
如果您想检索一列,您可以这么做
$posts = Post::pluck('title'); // 使用 eloquent 时 $posts = DB::table('posts')->pluck('title'); // 使用查询构造器时 foreach ($posts as $title){ // $title 是 post 的 title }
上面的方式消除了每一行 Post
对象的创建。这将降低查询结果处理的内存和时间消耗。
建议在新代码中使用上述方式。个人感觉不值得花时间遵循上面的提示重构代码。
重构代码,最好是在要处理大的数据集或者是比较闲的时候
4. 使用查询代替 collection 来统计行数
统计表的行数,通常这样做
$posts = Post::all()->count(); // 使用 eloquent $posts = DB::table('posts')->get()->count(); // 使用查询构造器
这将生成以下查询
select * from posts
上述方法将从表中检索所有行。将它们加载到 collection
对象中并计算结果。当数据表中的行较少时,这可以正常工作。但随着表的增长,内存很快就会耗尽。
与上述方法不同,我们可以直接计算数据库本身的总行数。
$posts = Post::count(); // 使用 eloquent 时 $posts = DB::table('posts')->count(); // 使用查询构造器时
这将生成以下查询
select count(*) from posts
在 sql 中计算行数是一个缓慢的过程,当数据库表中有多行时性能会很差。最好尽量避免计算行数。
5. 通过即时加载关系避免 n + 1查询
这条建议你可能听说过无数次了。所以我会尽可能简短。让我们假设您有以下场景
class PostController extends Controller { public function index() { $posts = Post::all(); return view('posts.index', ['posts' => $posts ]); } }
// posts/index.blade.php 文件 @foreach($posts as $post) <li> <h3 id="nbsp-post-title-nbsp">{{ $post->title }}</h3> <p>Author: {{ $post->author->name }}</p> </li> @endforeach
上面的代码是检索所有的帖子,并在网页上显示帖子标题和作者,假设帖子模型关联作者
。
执行以上代码将导致运行以下查询。
select * from posts // 假设返回5条数据 select * from authors where id = { post1.author_id } select * from authors where id = { post2.author_id } select * from authors where id = { post3.author_id } select * from authors where id = { post4.author_id } select * from authors where id = { post5.author_id }
如上,1 条查询来检索帖子,5 条查询来检索帖子的作者(假设有 5 篇帖子)。因此对于每篇帖子,都会进行一个单独的查询来检索它的作者。
所以如果有 N 篇帖子,将会产生 N+1 条查询(1 条查询检索帖子,N 条查询检索每篇帖子的作者)。这常被称作 N+1 查询问题。
避免这个问题,可以像下面这样预加载帖子的作者。
$posts = Post::all(); // Avoid doing this $posts = Post::with(['author'])->get(); // Do this instead
执行上面的代码得到下面的查询:
select * from posts // Assume this query returned 5 posts select * from authors where id in( { post1.author_id }, { post2.author_id }, { post3.author_id }, { post4.author_id }, { post5.author_id } )
6. 预加载嵌套关系
从上面的例子,考虑作者归属于一个组,同时需要显示组的名字的情况。因此在 blade 文件中,可以按下面这样做。
@foreach($posts as $post) <li> <h3 id="nbsp-post-title-nbsp">{{ $post->title }}</h3> <p>Author: {{ $post->author->name }}</p> <p>Author's Team: {{ $post->author->team->name }}</p> </li> @endforeach
接着
$posts = Post::with(['author'])->get();
得到下面的查询:
select * from posts // Assume this query returned 5 posts select * from authors where id in( { post1.author_id }, { post2.author_id }, { post3.author_id }, { post4.author_id }, { post5.author_id } ) select * from teams where id = { author1.team_id } select * from teams where id = { author2.team_id } select * from teams where id = { author3.team_id } select * from teams where id = { author4.team_id } select * from teams where id = { author5.team_id }
如上,尽管预加载了 authors
关系,仍然产生了大量的查询。这是因为没有预加载 authors
上的 team
关系。
通过下面这样来解决这个它。
$posts = Post::with(['author.team'])->get();
执行得到下面的查询。
select * from posts // Assume this query returned 5 posts select * from authors where id in( { post1.author_id }, { post2.author_id }, { post3.author_id }, { post4.author_id }, { post5.author_id } ) select * from teams where id in( { author1.team_id }, { author2.team_id }, { author3.team_id }, { author4.team_id }, { author5.team_id } )
通过预加载嵌套关系,可以将查询数从 11 减到 3。
7. 如果仅需要 id 时,别预加载 belongsTo 关系
想象一下,有 posts
和 authors
两张表。帖子表有 author_id
列归属作者表。
为了得到帖子的作者 id,通常这样做
$post = Post::findOrFail(<post id>); $post->author->id;
执行得到两个查询。
select * from posts where id = <post id> limit 1 select * from authors where id = <post author id> limit 1
然而,可以直接通过下面方式得到作者 id 。
$post = Post::findOrFail(<post id>); $post->author_id; // 帖子表有存放作者 id 的 author_id 列
什么时候采取上面的方式?
采取上的方式,需要确保帖子关联的作者在作者表始终存在。
8. 避免使用不必要的查询
很多时候,一些数据库查询是不必要的。看看下面的例子。
<?php class PostController extends Controller { public function index() { $posts = Post::all(); $private_posts = PrivatePost::all(); return view('posts.index', ['posts' => $posts, 'private_posts' => $private_posts ]); } }
上面代码是从两张不同的表(posts
, private_posts
)检索数据,然后传到视图中。
视图文件如下。
// posts/index.blade.php @if( request()->user()->isAdmin() ) <h2 id="Private-nbsp-Posts">Private Posts</h2> <ul> @foreach($private_posts as $post) <li> <h3 id="nbsp-post-title-nbsp">{{ $post->title }}</h3> <p>Published At: {{ $post->published_at }}</p> </li> @endforeach </ul> @endif <h2 id="Posts">Posts</h2> <ul> @foreach($posts as $post) <li> <h3 id="nbsp-post-title-nbsp">{{ $post->title }}</h3> <p>Published At: {{ $post->published_at }}</p> </li> @endforeach </ul>
正如你上面看到的,$private_posts
仅对 管理员
用户可见,其他用户都无法看到这些帖子。
问题是,当我们在做
$posts = Post::all(); $private_posts = PrivatePost::all();
我们进行两次查询。一次从 posts
表获取记录,另一次从 private_posts
表获取记录。
private_posts
表的记录仅 管理员用户
可见。但我们仍在查询以检索所有用户记录,即使它们不可见。
我们可以调整逻辑,避免额外的查询。
$posts = Post::all(); $private_posts = collect(); if( request()->user()->isAdmin() ){ $private_posts = PrivatePost::all(); }
将逻辑更改为上述内容后,我们对管理员用户进行了两次查询,并对其他用户进行了一次查询。
9. 合并相似的查询
我们有时需要进行查询以同一个表中检索不同类型的行。
$published_posts = Post::where('status','=','published')->get(); $featured_posts = Post::where('status','=','featured')->get(); $scheduled_posts = Post::where('status','=','scheduled')->get();
上述代码正从同一个表检索状态不同的行。代码将进行以下查询。
select * from posts where status = 'published' select * from posts where status = 'featured' select * from posts where status = 'scheduled'
如您所见,它正在对同一个表进行三次不同的查询以检索记录。我们可以重构此代码以仅进行一次数据库查询。
$posts = Post::whereIn('status',['published', 'featured', 'scheduled'])->get(); $published_posts = $posts->where('status','=','published'); $featured_posts = $posts->where('status','=','featured'); $scheduled_posts = $posts->where('status','=','scheduled');
select * from posts where status in ( 'published', 'featured', 'scheduled' )
上面的代码生成一个查询来检索全部特定状态的帖子,通过状态为返回的帖子创建不同的 collections 。三个不同的状态的变量由一个查询生成。
10. 为常查询的列添加索引
如果查询中含有 where
条件作用于 string
类型的 column
,最好给这列添加索引。通过这列的查询将会快很多。
$posts = Post::where('status','=','published')->get();
上面例子,我们对 status
列添加 where 条件来查询。可以通过下面这样的数据库迁移来优化查询。
Schema::table('posts', function (Blueprint $table) { $table->index('status'); });
11. 使用 simplePaginate 而不是 Paginate
分页结果时,我们通常会这样做
$posts = Post::paginate(20);
这将进行两次查询,第一次检索分页结果,第二次表中计算表中的总行数。对表中的行数进行计数是一个缓慢的操作,会对查询性能产生负面影响。
那么为什么 laravel 会计算总行数呢?
为了生成分页连接,Laravel 会计算总行数。因此,当生成分页连接时,您可以预先知道会有多少页,以及过去的页码是多少。
另一方面,执行 simplePaginate
不会计算总行数,查询会比 paginate
方法快得多。但您将无法知道最后一个页码并无法跳转到不同的页面。
如果您的数据库表有很多行,最好避免使用 paginate
,而是使用 simplePaginate
。
$posts = Post::paginate(20); // 为所有页面生成分页链接 $posts = Post::simplePaginate(20); // 仅生成上一页和下一页的分页链接
什么时候使用分页和简单分页
查看下面的比较表,确定是分页还是简单分页适合您
paginate / simplePaginate | |
---|---|
数据库表只有很少行,并且不会变大 | paginate / simplePaginate |
数据库表有很多行,并且增长很快 | simplePaginate |
必须提供用户选项以跳转到特定页面 | paginate |
必须向用户显示结果总数 | paginate |
不主动使用分页链接 | simplePaginate |
UI/UX 不会影响从切换编号分页链接到下一个/上一个分页链接 | simplePaginate |
使用“加载更多”按钮或“无限滚动”分页 | simplePaginate |
12. 避免使用前导通配符(LIKE 关键字)
当尝试查询匹配特性模式的结果时,我们通常会使用
select * from table_name where column like %keyword%
上述查询导致全表扫描。如果我们知道出现在列值开头的关键字,我们会查询以下结果。
select * from table_name where column like keyword%
13. 避免 where 子句使用 SQL 函数
最好避免在 where 子句中使用 SQL 函数,因为它们会导致全表扫描。 让我们看下面的例子。要根据特定的时间查询结果,我们通常会这样做
$posts = POST::whereDate('created_at', '>=', now() )->get();
这将导致类似的于下面的查询
select * from posts where date(created_at) >= 'timestamp-here'
上面的查询将导致全表扫描,因为在计算日期
函数之前,不会应用 where 条件。
我们可以重构这个函数,以避免使用如下的 date
sql 函数
$posts = Post::where('created_at', '>=', now() )->get();
select * from posts where created_at >= 'timestamp-here'
14. 避免在表中添加过多的列
最好限制表中列的总数。可以利用像 mysql 这样的关系数据库将具有如此多列的表拆分为多个表。可以使用它们的主键和外键将它们连接在一起。
向表中添加太多列会增加单个记录的长度,并且会减慢表扫描的速度。在执行 select *
查询时,最终会检索到一些实际上并不需要的列。
15. 将带有文本数据的单独列输入到它们自己的表中
这个技巧来自个人经验,并不是设计数据库表的标准方法。我建议只有当您的表有太多的记录或者会快速增长时才遵循这个技巧。
如果一个表有存储大量数据的列(例如: 数据类型为 TEXT 的列) ,那么最好将它们分离到它们自己的表中,或者分离到一个不经常被询问的表中。
当表中有包含大量数据的列时,单个记录的大小会变得非常大。我个人观察到它影响了我们其中一个项目的查询时间。
假设您有一个名为 posts
的表,其中包含一列 内容
,用于存储博客文章内容。博客文章的内容将是真正的巨大和经常的时候,你需要这个数据只有当一个人正在查看这个特定的博客文章。
所以,在数据表中有大量文章记录的时候,将这些长文本字段(大字段)分离到单独的表中将会彻底的改善查询性能。
16. 从表中查询最新记录的最佳实践
当需要从一个数据表中查询最新的记录行时,通常我们会这么做:
$posts = Post::latest()->get(); // or $posts = Post::orderBy('created_at', 'desc')->get();
上面的查询方式将会产生如下 sql 语句:
select * from posts order by created_at desc
这种查询方式基本上都是按照 created_at
字段做降序排列来给查询结果排序的。由于 created_at
字段是字符串类型的数据,所以用这种方式对查询结果进行排序通常会更慢。(译者注:MySQL 的 TIMESTAMP 类型字段是以 UTC 格式存储数据的,形如 20210607T152000Z,所以 created_at 字段确实是字符串类型的数据)。
如果你的数据表中使用了自增长的 id
字段作为主键,那么大多数情况下,最新的数据记录行的 id
字段值也是最大的。因为 id
字段不仅是一个整形数据的字段,而且也是一个主键字段,所以基于 id
字段对查询结果进行排序会更快。所以查询最新记录的最佳实践如下:
$posts = Post::latest('id')->get();// or $posts = Post::orderBy('id', 'desc')->get();
该方法会产生如下 sql 语句
select * from posts order by id desc
17. 优化 MySQL 的数据插入操作
为了更快地从数据库查询数据,我们已经为 select
方法做了很多优化。 大多数情况下,我们只需要为查询方法进行优化就可以满足性能要求了。 但是很多时候我们还需要为『插入』和『更新』(insert
和 update
)方法进行优化。所以我给大家推荐一篇有趣的文章optimizing mysql inserts,这篇文章将有助于优化缓慢的『插入』和『更新』操作。
18. 检查和优化查询方法
在 Laravel 框架中,优化数据查询并没有完全通用的办法。你只能尽量搞清楚下面这些问题:你的程序是如何运行的、进行了多少个数据库查询操作、有多少查询操作是真正必要的。所以请检查你的应用产生的查询操作,这将有助于你确定并减少数据查询操作的总量。
有很多工具可以辅助你检查每个页面产生的查询方法:
Note: It is not recommended to use these tools in a production environment. Using these tools in a production environment will slow down your application's performance and allow unauthorized users to obtain sensitive information about your application.
-
Laravel Debugbar - Laravel Debugbar has a
database
tab, clicking on this tab will show the application execution when you open a page all query statements. You can browse each page of the application and view the queries used for each page. -
Clockwork - Clockwork is the same as Laravel Debugbar, except that Clockwork will not inject a toolbar on your website. You can use it in the "Developer Tools Window" (
developer tools window
), or enter a separate page to view the application's debugging information by opening the url/yourappurl/clockwork
. -
Laravel Telescope - Laravel Telescope is an excellent debugging tool specially provided for developing Laravel applications. Once you have Laravel Telescope installed, you can access its dashboard page by visiting
yourappurl/telescope
. In the telescope dashboard interface, click to open thequeries
tab. This page will display all MySQL queries executed by your application.
Original address: https://laravel-news.com/18-tips-to-optimize-your-laravel-database-queries
【 Related recommendations: laravel video tutorial】
以上是Laravel8中怎麼優化資料庫查詢? 18 個優化建議分享的詳細內容。更多資訊請關注PHP中文網其他相關文章!

在Laravel全棧開發中,管理API和前端邏輯的有效方法包括:1)使用RESTful控制器和資源路由管理API;2)通過Blade模板和Vue.js或React處理前端邏輯;3)通過API版本控制和分頁優化性能;4)保持後端和前端邏輯分離,確保可維護性和可擴展性。

TotackleculturalIntricaciesIndistributedTeams,fosteranenvironmentcelebratingDifferences,BemindfulofCommunication,andusetoolsforclarity.1)ImpartimentCulturalexchangessessionStossessessionStosharestories andraditions.2)

Toassesstheeffectivenessofremotecommunication,focuson:1)Engagementmetricslikemessagefrequencyandresponsetime,2)Sentimentanalysistogaugeemotionaltone,3)Meetingeffectivenessthroughattendanceandactionitems,and4)Networkanalysistounderstandcommunicationpa

toprotectsentiveDatainDistributedTeams,實現的 - 擬合方法:1)使用EndEnd-to-endencryptignterforsecuroCommunication,2)基於applyrole的acccessControl(rbac)tomanagepermissions,3),3)costerrestdataatrestdataatrestwithkeymanagementtools,and4)

不,emailisnotthebostforremotecollaborationtoday.modern PlatformLack,Microsoft Teams,Zoom,Asana和Trellofferreal時間通信,項目管理,項目管理和IntintegrationFeatureSthanCteAncteAncteAmworkworkesseffiquice。

協作文檔編輯是分佈式團隊優化工作流程的有效工具。它通過實時協作和反饋循環提升溝通和項目進度,常用工具包括GoogleDocs、MicrosoftTeams和Notion。使用時需注意版本控制和學習曲線等挑戰。

ThepreviousversionofLaravelissupportedwithbugfixesforsixmonthsandsecurityfixesforoneyearafteranewmajorversion'srelease.Understandingthissupporttimelineiscrucialforplanningupgrades,ensuringprojectstability,andleveragingnewfeaturesandsecurityenhancemen

Laravelcanbeeffectivelyusedforbothfrontendandbackenddevelopment.1)Backend:UtilizeLaravel'sEloquentORMforsimplifieddatabaseinteractions.2)Frontend:LeverageBladetemplatesforcleanHTMLandintegrateVue.jsfordynamicSPAs,ensuringseamlessfrontend-backendinteg


熱AI工具

Undresser.AI Undress
人工智慧驅動的應用程序,用於創建逼真的裸體照片

AI Clothes Remover
用於從照片中去除衣服的線上人工智慧工具。

Undress AI Tool
免費脫衣圖片

Clothoff.io
AI脫衣器

Video Face Swap
使用我們完全免費的人工智慧換臉工具,輕鬆在任何影片中換臉!

熱門文章

熱工具

SAP NetWeaver Server Adapter for Eclipse
將Eclipse與SAP NetWeaver應用伺服器整合。

SublimeText3 英文版
推薦:為Win版本,支援程式碼提示!

MantisBT
Mantis是一個易於部署的基於Web的缺陷追蹤工具,用於幫助產品缺陷追蹤。它需要PHP、MySQL和一個Web伺服器。請查看我們的演示和託管服務。

DVWA
Damn Vulnerable Web App (DVWA) 是一個PHP/MySQL的Web應用程序,非常容易受到攻擊。它的主要目標是成為安全專業人員在合法環境中測試自己的技能和工具的輔助工具,幫助Web開發人員更好地理解保護網路應用程式的過程,並幫助教師/學生在課堂環境中教授/學習Web應用程式安全性。 DVWA的目標是透過簡單直接的介面練習一些最常見的Web漏洞,難度各不相同。請注意,該軟體中

SecLists
SecLists是最終安全測試人員的伙伴。它是一個包含各種類型清單的集合,這些清單在安全評估過程中經常使用,而且都在一個地方。 SecLists透過方便地提供安全測試人員可能需要的所有列表,幫助提高安全測試的效率和生產力。清單類型包括使用者名稱、密碼、URL、模糊測試有效載荷、敏感資料模式、Web shell等等。測試人員只需將此儲存庫拉到新的測試機上,他就可以存取所需的每種類型的清單。