Composer autoload helps your PHP code find and use classes automatically without manual includes. It saves time and keeps your code clean.
Composer autoload mechanism in PHP
<?php require 'vendor/autoload.php'; // Now you can use classes from installed packages or your own code
The vendor/autoload.php file is generated by Composer and loads all classes automatically.
You must run composer install or composer dump-autoload to generate or update this file.
<?php require 'vendor/autoload.php'; use Monolog\Logger; use Monolog\Handler\StreamHandler; $log = new Logger('name'); $log->pushHandler(new StreamHandler('app.log', Logger::WARNING)); $log->warning('This is a warning message');
<?php require 'vendor/autoload.php'; // Using your own class with namespace use MyApp\Utils\Helper; $helper = new Helper(); $helper->doSomething();
This program uses the Carbon library (a popular date/time package) loaded via Composer autoload to print the current date and time.
<?php // Include Composer's autoload file require 'vendor/autoload.php'; // Use a class from a package or your own code use Carbon\Carbon; // Create a new Carbon date object $now = Carbon::now(); // Print the current date and time echo "Current date and time: " . $now->toDateTimeString() . "\n";
Make sure to run composer install to generate the vendor/autoload.php file before running your PHP script.
Composer supports different autoloading standards like PSR-4, PSR-0, and classmap. PSR-4 is the most common and recommended.
You can customize autoloading rules in your composer.json file under the autoload section.
Composer autoload automatically loads PHP classes so you don't have to include files manually.
Include vendor/autoload.php once to use all installed packages and your own classes.
It helps keep your code clean, organized, and easy to maintain.