Home PHP Framework Laravel Summarize 15 commonly used Laravel collections (Collection)

Summarize 15 commonly used Laravel collections (Collection)

Sep 05, 2020 am 09:10 AM
collection laravel

The following is the Summarize 15 commonly used Summarize 15 commonly used Summarize 15 commonly used Laravel collections (Collection) collections (Collection) collections (Collection) tutorial column to introduce you to fifteen commonly used Summarize 15 commonly used Summarize 15 commonly used Summarize 15 commonly used Laravel collections (Collection) collections (Collection) collections (Collection) collections (Collections), I hope it will be helpful to friends in need!

Summarize 15 commonly used Summarize 15 commonly used Summarize 15 commonly used Laravel collections (Collection) collections (Collection) collections (Collection)
Summarize 15 commonly used Summarize 15 commonly used Summarize 15 commonly used Laravel collections (Collection) collections (Collection) collections (Collection) Eloquent usually returns a collection as a result, which contains many useful and powerful methods. You can easily filter and modify the collection. In this tutorial, let’s take a look at the common methods and functions of collections.
Collections are not limited to eloquent and can also be used alone. But the result of Eloquent is a collection. You can use the helper function collect to convert an array into a collection. The collection methods listed below apply both to eloquent results and to the collection itself.

Let’s say you have a Post model. You found all posts in the php category.

$posts = App\Post::where('category', 'php')->get();
Copy after login

The above command returns a collection. Collection is a laravel class which uses array functions internally and adds many functionalities to them.

You can simply use the collect method to create a collection, as follows:

$collection = collect([
    [
        'user_id' => '1',
        'title' => 'Helpers in Summarize 15 commonly used Summarize 15 commonly used Summarize 15 commonly used Laravel collections (Collection) collections (Collection) collections (Collection)',
        'content' => 'Create custom helpers in Summarize 15 commonly used Summarize 15 commonly used Summarize 15 commonly used Laravel collections (Collection) collections (Collection) collections (Collection)',
        'category' => 'php'
    ],
    [
        'user_id' => '2',
        'title' => 'Testing in Summarize 15 commonly used Summarize 15 commonly used Summarize 15 commonly used Laravel collections (Collection) collections (Collection) collections (Collection)',
        'content' => 'Testing File Uploads in Summarize 15 commonly used Summarize 15 commonly used Summarize 15 commonly used Laravel collections (Collection) collections (Collection) collections (Collection)',
        'category' => 'php'
    ],
    [
        'user_id' => '3',
        'title' => 'Telegram Bot',
        'content' => 'Crypto Telegram Bot in Summarize 15 commonly used Summarize 15 commonly used Summarize 15 commonly used Laravel collections (Collection) collections (Collection) collections (Collection)',
        'category' => 'php'
    ],
]);
Copy after login

The above array is actually the value of the Post model. In this tutorial we will use this array for simplification. Remember, everything will be based on eloquent in the same way.

When we use helper methods on the eloquent collection, the database will not be queried again. We first want to get all the results from the database, then we use collection methods to filter and modify them without querying the database.

filter()

filter, one of the most useful laravel collection methods, allows you to filter the collection using callbacks. It only passes those items that return true. All other items are deleted. filter Returns a new instance without changing the original instance. It accepts value and key as two parameters in the callback.

$filter = $collection->filter(function($value, $key) {
    if ($value['user_id'] == 2) {
        return true;
    }
});

$filter->all();
Copy after login

all Method returns the underlying array. The above code returns the following response.

[
    1 => [
        "user_id" => 2,
        "title" => "Testing in Summarize 15 commonly used Summarize 15 commonly used Summarize 15 commonly used Laravel collections (Collection) collections (Collection) collections (Collection)",
        "content" => "Testing File Uploads in Summarize 15 commonly used Summarize 15 commonly used Summarize 15 commonly used Laravel collections (Collection) collections (Collection) collections (Collection)",
        "category" => "php"
    ]
]
Copy after login

search()

search method can search a collection using a given value. If the value is in the collection, the corresponding key will be returned. If no data item matches the corresponding value, false will be returned.

$names = collect(['Alex', 'John', 'Jason', 'Martyn', 'Hanlin']);

$names->search('Jason');

// 2
Copy after login

search method uses loose comparison by default. You can pass true in its second parameter to use strict comparison.

You can also pass your own callback function to the search method. Will return the key of the first item that passes the callback's truth test.

$names = collect(['Alex', 'John', 'Jason', 'Martyn', 'Hanlin']);

$names->search(function($value, $key) {
    return strlen($value) == 6;
});

// 3
Copy after login

chunk()

chunk method splits a collection into multiple smaller collections of a given size. Very useful for displaying collections into a grid.

$prices = collect([18, 23, 65, 36, 97, 43, 81]);

$prices = $prices->chunk(3);

$prices->toArray();
Copy after login

The above code generates the effect.

[
    0 => [
        0 => 18,
        1 => 23,
        2 => 65
    ],
    1 => [
        3 => 36,
        4 => 97,
        5 => 43
    ],
    2 => [
        6 => 81
    ]
]
Copy after login

dump()

dump Method to print a collection. It can be used for debugging and finding content within a collection at any location.

$collection->whereIn('user_id', [1, 2])
    ->dump()
    ->where('user_id', 1);
Copy after login

dump The result of the above code.

Summarize 15 commonly used Summarize 15 commonly used Summarize 15 commonly used Laravel collections (Collection) collections (Collection) collections (Collection)

map()

map method is used to traverse the entire collection. It accepts callback as parameter. value and key are passed to the callback. Callbacks can modify values ​​and return them. Finally, a new collection instance of the modified item is returned.

$changed = $collection->map(function ($value, $key) {
    $value['user_id'] += 1;
    return $value;
});

return $changed->all();
Copy after login

Basically, it increases user_id by 1.

The response to the above code is as follows.

[
    [
        "user_id" => 2,
        "title" => "Helpers in Summarize 15 commonly used Summarize 15 commonly used Summarize 15 commonly used Laravel collections (Collection) collections (Collection) collections (Collection)",
        "content" => "Create custom helpers in Summarize 15 commonly used Summarize 15 commonly used Summarize 15 commonly used Laravel collections (Collection) collections (Collection) collections (Collection)",
        "category" => "php"
    ],
    [
        "user_id" => 3,
        "title" => "Testing in Summarize 15 commonly used Summarize 15 commonly used Summarize 15 commonly used Laravel collections (Collection) collections (Collection) collections (Collection)",
        "content" => "Testing File Uploads in Summarize 15 commonly used Summarize 15 commonly used Summarize 15 commonly used Laravel collections (Collection) collections (Collection) collections (Collection)",
        "category" => "php"
    ],
    [
        "user_id" => 4,
        "title" => "Telegram Bot",
        "content" => "Crypto Telegram Bot in Summarize 15 commonly used Summarize 15 commonly used Summarize 15 commonly used Laravel collections (Collection) collections (Collection) collections (Collection)",
        "category" => "php"
    ]
];
Copy after login

zip()

The Zip method merges the values ​​of the given array with the values ​​of the collection. Values ​​with the same index are added together, which means that the first value of the array is merged with the first value of the collection. Here, I'll use the collection we just created above. This also works for Eloquent collections.

$zipped = $collection->zip([1, 2, 3]);

$zipped->all();
Copy after login

The JSON response will look like this.

Summarize 15 commonly used Summarize 15 commonly used Summarize 15 commonly used Laravel collections (Collection) collections (Collection) collections (Collection)

So, basically that’s it. If the length of the array is less than the length of the collection, Summarize 15 commonly used Summarize 15 commonly used Summarize 15 commonly used Laravel collections (Collection) collections (Collection) collections (Collection) will add null to the end of the remaining elements of type Collection. Similarly, if the length of the array is greater than the length of the collection, Summarize 15 commonly used Summarize 15 commonly used Summarize 15 commonly used Laravel collections (Collection) collections (Collection) collections (Collection) will add null to elements of type Collection, followed by the array value.

whereNotIn()

You can use the whereNotIn method to simply filter a collection by key values ​​that are not contained in the given array. It's basically the opposite of whereIn. Additionally, this method uses relaxed comparison == when matching values.

让我们过滤 $collection,其中 user_id 既不是 1 也不是 2的。

$collection->whereNotIn('user_id', [1, 2]);
Copy after login

上面的语句将只返回 $collection 中的最后一项。 第一个参数是键,第二个参数是值数组。 如果是 eloquent 的话,第一个参数将是列的名称,第二个参数将是一个值数组。

max()

max 方法返回给定键的最大值。 你可以通过调用max来找到最大的 user_id。 它通常用于价格或任何其他数字之类的比较,但为了演示,我们使用 user_id。 它也可以用于字符串,在这种情况下,Z> a

$collection->max('user_id');
Copy after login

上面的语句将返回最大的 user_id,在我们的例子中是 3

pluck()

pluck 方法返回指定键的所有值。 它对于提取一列的值很有用。

$title = $collection->pluck('title');
$title->all();
Copy after login

结果看起来像这样。

[
  "Helpers in Summarize 15 commonly used Summarize 15 commonly used Summarize 15 commonly used Laravel collections (Collection) collections (Collection) collections (Collection)",
  "Testing in Summarize 15 commonly used Summarize 15 commonly used Summarize 15 commonly used Laravel collections (Collection) collections (Collection) collections (Collection)",
  "Telegram Bot"
]
Copy after login

使用 eloquent 时,可以将列名作为参数传递以提取值。 pluck 也接受第二个参数,对于 eloquent 的集合,它可以是另一个列名。 它将导致由第二个参数的值作为键的集合。

$title = $collection->pluck('user_id', 'title');
$title->all();
Copy after login

结果如下:

[
    "Helpers in Summarize 15 commonly used Summarize 15 commonly used Summarize 15 commonly used Laravel collections (Collection) collections (Collection) collections (Collection)" => 1,
    "Testing in Summarize 15 commonly used Summarize 15 commonly used Summarize 15 commonly used Laravel collections (Collection) collections (Collection) collections (Collection)" => 2,
    "Telegram Bot" => 3
]
Copy after login

each()

each 是一种迭代整个集合的简单方法。 它接受一个带有两个参数的回调:它正在迭代的项和键。 Key 是基于 0 的索引。

$collection->each(function ($item, $key) {
    info($item['user_id']);
});
Copy after login

上面代码,只是记录每个项的 user_id

在迭代 eloquent 集合时,您可以将所有列值作为项属性进行访问。 以下是我们如何迭代所有帖子。

$posts = App\Post::all();

$posts->each(function ($item, $key) {
    // Do something
});
Copy after login

如果回调中返回 false,它将停止迭代项目。

$collection->each(function ($item, $key) {
    // Tasks
    if ($key == 1) {
        return false;
    }
});
Copy after login

tap()

tap() 方法允许你随时加入集合。 它接受回调并传递并将集合传递给它。 您可以对项目执行任何操作,而无需更改集合本身。 因此,您可以在任何时候使用tap来加入集合,而不会改变集合。

$collection->whereNotIn('user_id', 3)
    ->tap(function ($collection) {
        $collection = $collection->where('user_id', 1);
        info($collection->values());
    })
    ->all();
Copy after login

在上面使用的 tap 方法中,我们修改了集合,然后记录了值。 您可以对 tap 中的集合做任何您想做的事情。 上面命令的响应是:

[
    [
        "user_id" => "1",
        "title" => "Helpers in Summarize 15 commonly used Summarize 15 commonly used Summarize 15 commonly used Laravel collections (Collection) collections (Collection) collections (Collection)",
        "content" => "Create custom helpers in Summarize 15 commonly used Summarize 15 commonly used Summarize 15 commonly used Laravel collections (Collection) collections (Collection) collections (Collection)",
        "category" => "php"
    ],
    [
        "user_id" => "2",
        "title" => "Testing in Summarize 15 commonly used Summarize 15 commonly used Summarize 15 commonly used Laravel collections (Collection) collections (Collection) collections (Collection)",
        "content" => "Testing File Uploads in Summarize 15 commonly used Summarize 15 commonly used Summarize 15 commonly used Laravel collections (Collection) collections (Collection) collections (Collection)",
        "category" => "php"
    ]
]
Copy after login

你可以看到 tap 不会修改集合实例。

pipe()

pipe 方法非常类似于 tap 方法,因为它们都在集合管道中使用。 pipe 方法将集合传递给回调并返回结果。

$collection->pipe(function($collection) {
    return $collection->min('user_id');
});
Copy after login

上述命令的响应是 1。 如果从 pipe回调中返回集合实例,也可以链接其他方法。

contains()

contains 方法只检查集合是否包含给定值。 只传递一个参数时才会出现这种情况。

$contains = collect(['country' => 'USA', 'state' => 'NY']);

$contains->contains('USA');
// true

$contains->contains('UK');
// false
Copy after login

如果将 键 / 值 对传递给 contains 方法,它将检查给定的键值对是否存在。

$collection->contains('user_id', '1');
// true

$collection->contains('title', 'Not Found Title');
// false
Copy after login

您还可以将回调作为参数传递给回调方法。 将对集合中的每个项目运行回调,如果其中任何一个项目通过了真值测试,它将返回 true 否则返回 false

$collection->contains(function ($value, $key) {
    return strlen($value['title']) <p>回调函数接受当前迭代项和键的两个参数值。 这里我们只是检查标题的长度是否小于13。在 <code>Telegram Bot</code> 中它是12,所以它返回 <code>true</code>。</p><p><strong>forget()</strong></p><p><code>forget</code> 只是从集合中删除该项。 您只需传递一个键,它就会从集合中删除该项目。</p><pre class="brush:php;toolbar:false">$forget = collect(['country' => 'usa', 'state' => 'ny']);

$forget->forget('country')->all();
Copy after login

上面代码响应如下:

[
    "state" => "ny"
]
Copy after login

forget 不适用于多维数组。

avg()

avg 方法返回平均值。 你只需传递一个键作为参数,avg 方法返回平均值。 你也可以使用 average 方法,它基本上是 avg 的别名。

$avg = collect([
    ['shoes' => 10],
    ['shoes' => 35],
    ['shoes' => 7],
    ['shoes' => 68],
])->avg('shoes');
Copy after login

上面的代码返回 30 ,这是所有四个数字的平均值。 如果你没有将任何键传递给avg 方法并且所有项都是数字,它将返回所有数字的平均值。 如果键未作为参数传递且集合包含键/值对,则 avg 方法返回 0。

$avg = collect([12, 32, 54, 92, 37]);

$avg->avg();
Copy after login

上面的代码返回 45.4,这是所有五个数字的平均值。

您可以使用这些 laravel 集合方法在您自己的项目中处理集合。

The above is the detailed content of Summarize 15 commonly used Laravel collections (Collection). For more information, please follow other related articles on the PHP Chinese website!

Statement of this Website
The content of this article is voluntarily contributed by netizens, and the copyright belongs to the original author. This site does not assume corresponding legal responsibility. If you find any content suspected of plagiarism or infringement, please contact admin@php.cn

Hot AI Tools

Undresser.AI Undress

Undresser.AI Undress

AI-powered app for creating realistic nude photos

AI Clothes Remover

AI Clothes Remover

Online AI tool for removing clothes from photos.

Undress AI Tool

Undress AI Tool

Undress images for free

Clothoff.io

Clothoff.io

AI clothes remover

Video Face Swap

Video Face Swap

Swap faces in any video effortlessly with our completely free AI face swap tool!

Hot Article

Roblox: Bubble Gum Simulator Infinity - How To Get And Use Royal Keys
3 weeks ago By 尊渡假赌尊渡假赌尊渡假赌
Mandragora: Whispers Of The Witch Tree - How To Unlock The Grappling Hook
3 weeks ago By 尊渡假赌尊渡假赌尊渡假赌
Nordhold: Fusion System, Explained
3 weeks ago By 尊渡假赌尊渡假赌尊渡假赌

Hot Tools

Notepad++7.3.1

Notepad++7.3.1

Easy-to-use and free code editor

SublimeText3 Chinese version

SublimeText3 Chinese version

Chinese version, very easy to use

Zend Studio 13.0.1

Zend Studio 13.0.1

Powerful PHP integrated development environment

Dreamweaver CS6

Dreamweaver CS6

Visual web development tools

SublimeText3 Mac version

SublimeText3 Mac version

God-level code editing software (SublimeText3)

Hot Topics

Java Tutorial
1669
14
PHP Tutorial
1273
29
C# Tutorial
1256
24
Laravel Introduction Example Laravel Introduction Example Apr 18, 2025 pm 12:45 PM

Laravel is a PHP framework for easy building of web applications. It provides a range of powerful features including: Installation: Install the Laravel CLI globally with Composer and create applications in the project directory. Routing: Define the relationship between the URL and the handler in routes/web.php. View: Create a view in resources/views to render the application's interface. Database Integration: Provides out-of-the-box integration with databases such as MySQL and uses migration to create and modify tables. Model and Controller: The model represents the database entity and the controller processes HTTP requests.

Solve caching issues in Craft CMS: Using wiejeben/craft-laravel-mix plug-in Solve caching issues in Craft CMS: Using wiejeben/craft-laravel-mix plug-in Apr 18, 2025 am 09:24 AM

When developing websites using CraftCMS, you often encounter resource file caching problems, especially when you frequently update CSS and JavaScript files, old versions of files may still be cached by the browser, causing users to not see the latest changes in time. This problem not only affects the user experience, but also increases the difficulty of development and debugging. Recently, I encountered similar troubles in my project, and after some exploration, I found the plugin wiejeben/craft-laravel-mix, which perfectly solved my caching problem.

How to learn Laravel How to learn Laravel for free How to learn Laravel How to learn Laravel for free Apr 18, 2025 pm 12:51 PM

Want to learn the Laravel framework, but suffer from no resources or economic pressure? This article provides you with free learning of Laravel, teaching you how to use resources such as online platforms, documents and community forums to lay a solid foundation for your PHP development journey from getting started to master.

Laravel user login function Laravel user login function Apr 18, 2025 pm 12:48 PM

Laravel provides a comprehensive Auth framework for implementing user login functions, including: Defining user models (Eloquent model), creating login forms (Blade template engine), writing login controllers (inheriting Auth\LoginController), verifying login requests (Auth::attempt) Redirecting after login is successful (redirect) considering security factors: hash passwords, anti-CSRF protection, rate limiting and security headers. In addition, the Auth framework also provides functions such as resetting passwords, registering and verifying emails. For details, please refer to the Laravel documentation: https://laravel.com/doc

What versions of laravel are there? How to choose the version of laravel for beginners What versions of laravel are there? How to choose the version of laravel for beginners Apr 18, 2025 pm 01:03 PM

In the Laravel framework version selection guide for beginners, this article dives into the version differences of Laravel, designed to assist beginners in making informed choices among many versions. We will focus on the key features of each release, compare their pros and cons, and provide useful advice to help beginners choose the most suitable version of Laravel based on their skill level and project requirements. For beginners, choosing a suitable version of Laravel is crucial because it can significantly impact their learning curve and overall development experience.

Laravel framework installation method Laravel framework installation method Apr 18, 2025 pm 12:54 PM

Article summary: This article provides detailed step-by-step instructions to guide readers on how to easily install the Laravel framework. Laravel is a powerful PHP framework that speeds up the development process of web applications. This tutorial covers the installation process from system requirements to configuring databases and setting up routing. By following these steps, readers can quickly and efficiently lay a solid foundation for their Laravel project.

How to view the version number of laravel? How to view the version number of laravel How to view the version number of laravel? How to view the version number of laravel Apr 18, 2025 pm 01:00 PM

The Laravel framework has built-in methods to easily view its version number to meet the different needs of developers. This article will explore these methods, including using the Composer command line tool, accessing .env files, or obtaining version information through PHP code. These methods are essential for maintaining and managing versioning of Laravel applications.

The difference between laravel and thinkphp The difference between laravel and thinkphp Apr 18, 2025 pm 01:09 PM

Laravel and ThinkPHP are both popular PHP frameworks and have their own advantages and disadvantages in development. This article will compare the two in depth, highlighting their architecture, features, and performance differences to help developers make informed choices based on their specific project needs.

See all articles