master

laravel/framework

Last updated at: 29/12/2023 09:22

AsCollection.php

TLDR

This file provides the AsCollection class, which is used as a caster to handle casting attributes as collections in the Laravel Eloquent ORM.

Classes

AsCollection

This class is a caster that allows attributes to be cast as collections in the Laravel Eloquent ORM. It implements the Castable interface. It has two methods:

  • castUsing(array $arguments): This method returns an anonymous class that implements the CastsAttributes interface. The anonymous class has the responsibility of casting attributes to a collection and back. The casting behavior is determined by the provided arguments.
  • using(string $class): This method returns a string representation of the cast class and the target collection class.
<?php

namespace Illuminate\Database\Eloquent\Casts;

use Illuminate\Contracts\Database\Eloquent\Castable;
use Illuminate\Contracts\Database\Eloquent\CastsAttributes;
use Illuminate\Support\Collection;
use InvalidArgumentException;

class AsCollection implements Castable
{
    /**
     * Get the caster class to use when casting from / to this cast target.
     *
     * @param  array  $arguments
     * @return \Illuminate\Contracts\Database\Eloquent\CastsAttributes<\Illuminate\Support\Collection<array-key, mixed>, iterable>
     */
    public static function castUsing(array $arguments)
    {
        return new class($arguments) implements CastsAttributes
        {
            public function __construct(protected array $arguments)
            {
            }

            public function get($model, $key, $value, $attributes)
            {
                if (! isset($attributes[$key])) {
                    return;
                }

                $data = Json::decode($attributes[$key]);

                $collectionClass = $this->arguments[0] ?? Collection::class;

                if (! is_a($collectionClass, Collection::class, true)) {
                    throw new InvalidArgumentException('The provided class must extend ['.Collection::class.'].');
                }

                return is_array($data) ? new $collectionClass($data) : null;
            }

            public function set($model, $key, $value, $attributes)
            {
                return [$key => Json::encode($value)];
            }
        };
    }

    /**
     * Specify the collection for the cast.
     *
     * @param  class-string  $class
     * @return string
     */
    public static function using($class)
    {
        return static::class.':'.$class;
    }
}