Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

Composer Autoload Multiple Files in Folder

I'm using composer in my latest project and mapping my function like this

"require": {     ... }, "require-dev": {     ... }, "autoload": {     "psr-4": {         ...     },     "files": [         "src/function/test-function.php"     ] } 

I imagine there will be a lot of files in a folder function, ex : real-function-1.php, real-function-2.php, etc. So, can composer call all the files in the folder function ? i lazy to use

"files": [      "src/function/real-function-1.php",      "src/function/real-function-2.php",      ..,      "src/function/real-function-100.php", ] 

Is there any lazy like me...

like image 672
Tiara Larasati Avatar asked Oct 03 '14 06:10

Tiara Larasati


1 Answers

If you can't namespace your functions (because it will break a bunch of code, or because you can't use PSR-4), and you don't want to make static classes that hold your functions (which could then be autoloaded), you could make your own global include file and then tell composer to include it.

composer.json

{     "autoload": {         "files": [             "src/function/include.php"         ]     } } 

include.php

$files = glob(__DIR__ . '/real-function-*.php'); if ($files === false) {     throw new RuntimeException("Failed to glob for function files"); } foreach ($files as $file) {     require_once $file; } unset($file); unset($files); 

This is non-ideal since it will load every file for each request, regardless of whether or not the functions in it get used, but it will work.

Note: Make sure to keep the include file outside of your /real-function or similar directory. Or it will also include itself and turn out to be recursive function and eventually throw a memory exception.

like image 189
Austin Avatar answered Oct 07 '22 06:10

Austin