Laravel Eloquent 提供便捷且易读的方法来与数据库交互,从而轻松获取数据库数据。以下介绍几种数据获取技术:
一、获取所有记录
使用 all()
方法获取表中所有记录:
<code class="language-php">use App\Models\Post; $posts = Post::all();</code>
这将返回一个集合 (Collection)。您可以使用 foreach
循环或其他集合方法访问数据:
<code class="language-php">foreach ($posts as $post) { echo $post->title; }</code>
二、获取单条记录
1. find()
方法: 根据主键获取单条记录。
<code class="language-php">$post = Post::find(1); if ($post) { echo $post->title; }</code>
2. findOrFail()
方法: 根据主键获取单条记录,若记录不存在则抛出 404 异常。
<code class="language-php">$post = Post::findOrFail(1);</code>
3. first()
方法: 获取符合条件的第一条记录。
<code class="language-php">$post = Post::where('status', 'published')->first();</code>
4. firstOrFail()
方法: 获取符合条件的第一条记录,若记录不存在则抛出 404 异常。
<code class="language-php">$post = Post::where('status', 'published')->firstOrFail();</code>
三、使用查询条件筛选记录
使用 where
及其他条件语句过滤数据。
1. where
方法:
<code class="language-php">$posts = Post::where('status', 'published')->get();</code>
2. 多个条件:
<code class="language-php">$posts = Post::where('status', 'published') ->where('user_id', 1) ->get();</code>
3. orWhere
方法:
<code class="language-php">$posts = Post::where('status', 'published') ->orWhere('status', 'draft') ->get();</code>
四、选择特定字段
Eloquent 默认获取所有字段。使用 select()
方法选择特定字段:
<code class="language-php">$posts = Post::select('title', 'content')->get();</code>
五、分页 (Pagination)
使用 paginate()
方法分页获取数据:
<code class="language-php">$posts = Post::paginate(10);</code>
在 Blade 模板中显示分页链接:
<code class="language-blade">{{ $posts->links() }}</code>
六、数据分块 (Chunking)
处理大量数据时,可有效减少内存占用:
<code class="language-php">Post::chunk(100, function ($posts) { foreach ($posts as $post) { echo $post->title; } });</code>
七、排序结果 (Ordering)
使用 orderBy()
方法按指定顺序排序:
<code class="language-php">$posts = Post::orderBy('created_at', 'desc')->get();</code>
八、限制和偏移 (Limit and Offset)
使用 take()
或 limit()
和 skip()
方法限制获取的记录数量:
<code class="language-php">$posts = Post::take(5)->get(); // 获取前 5 条记录 $posts = Post::skip(10)->take(5)->get(); // 跳过前 10 条,获取接下来的 5 条</code>
九、聚合函数 (Aggregates)
1. 计数:
<code class="language-php">$count = Post::count();</code>
2. 最大值:
<code class="language-php">$maxViews = Post::max('views');</code>
3. 最小值:
<code class="language-php">$minViews = Post::min('views');</code>
4. 平均值:
<code class="language-php">$avgViews = Post::avg('views');</code>
5. 求和:
<code class="language-php">$totalViews = Post::sum('views');</code>
十、自定义关系检索
Eloquent 支持通过关系获取其他模型的数据。
1. 关联加载 (Eager Loading):
<code class="language-php">$posts = Post::with('comments')->get();</code>
2. 指定关系:
<code class="language-php">$posts = Post::with(['comments', 'user'])->get();</code>
十一、原生查询 (Raw Queries)
使用 Laravel 的 DB 门面执行自定义 SQL 查询:
<code class="language-php">use App\Models\Post; $posts = Post::all();</code>
这些方法提供灵活的数据获取方式,满足各种数据库操作需求。 请根据实际情况选择合适的方法。
以上是Bangla 部分模型检索中的 Laravel Eloquent ORM)的详细内容。更多信息请关注PHP中文网其他相关文章!