Reputation: 90998
I have a PHP script which includes one or two other libraries it depends on using the 'include
' statement. To make it more easily portable, I would like to somehow 'compile' the script and the include
d libraries it into a single PHP script (in the same way that ack includes all its Perl dependencies in one file). Is there an easy way to do this in PHP?
Clarification: Compiling to a windows executable could be (part of) an acceptable solution, but the script still needs to run on *nix, where it is better to have PHP source code with '#!/usr/bin/env php
' at the top.
I want to be able to drop a single file into the $PATH somewhere on any OS and have it work without needing extra PHP libraries to be installed as well.
Upvotes: 20
Views: 22384
Reputation: 201
The PHP packages ScriptJoiner or even better JuggleCode might help:
Both are built upon PHP-Parser (http://packagist.org/packages/nikic/php-parser), which makes it very easy to join scriptfiles.
Upvotes: 8
Reputation: 28739
phc allows this. Just run it with the --include
flag, and it will combine all your code (well, every argument to an include
, require
, etc) into a single PHP file.
If you like, it can also compile it, but that's not required to combine them all into a single file.
Upvotes: 2
Reputation: 5644
Newer versions of PHP support a concept similar to jar files in java. Take a look at phar. You could package all of your application files into a single archive and run that.
Upvotes: 13
Reputation: 53861
You could write a custom script that opens all the files, removes the opening and closing tags, and concatenates them together and saves as one file. should be pretty easy to do.
Or you can use a php compiler. It will do a bit more than what you are looking for, but if you just want one file, you run your dev project through one of these.
You might also be able to use the built in php bytecode compiler to compile everything to byte-code and stick it in one file.
Upvotes: 1
Reputation: 4472
Manually, you just remove all references of include/require, and "concatenate" the files together. you should also strip the open and end tags ('<?php', "?>") before concatenation, and add them in the final file.
For one or two small libraries, it should - hopefully - "just work"...
Upvotes: 4
Reputation: 11070
There's no built in way to do that. I would recommend packaging your code up into a directory and distributing it that way. I do this with PHP, I place the code into a directory "something.module", and then have iterate through a modules directory, including the main file underneath each .module directory. But for something more simple, you could just have a structure like:
my_package/
my_package.php
include1.php
include2.php
my_package.php
would include(realpath(dirname(__FILE__).'/inclue1.php'))
. All other scrits would just have to include('my_packahe/my_package.php')
Upvotes: 4