Laravel simplifies Fluent object value handling with the introduction of the array() method, providing a clean approach to convert values into arrays without manual casting or collection manipulation.
Working with Fluent objects often requires ensuring values are returned as arrays, especially when dealing with configuration data or dynamic properties. Previously, this involved manual casting or collection methods. The new array() method streamlines this process:
$fluent = new Fluent(['email' => 'admin@example.com']);$emails = $fluent->array('email');// Result: ['admin@example.com']
This method proves particularly valuable in settings management systems:
class SettingsManager{ protected $settings; public function __construct(array $config) { $this->settings = new Fluent($config); } public function getNotificationChannels(string $event) { // Always get channels as array return $this->settings->array("alerts.{$event}.channels"); } public function getTrustedHosts() { // Previously: (array) $this->settings->get('hosts') // Or: $this->settings->collect('hosts')->all() return $this->settings->array('trusted_hosts'); } public function getBackupLocations() { // Single location or multiple will always return array return $this->settings->array('backup_locations'); }}
The array() method eliminates conditional checks and type casting, creating cleaner, more maintainable code when working with Fluent instances that need consistent array output.