13

我想在 phar 文件中放置一个 phar 文件。我最直接地尝试了它:

$p = new Phar('test.phar', null, 'self.phar');
$p->setStub('<?php Phar::mapPhar();
include \'phar://self.phar/index.php\'; __HALT_COMPILER(); ?>');
$p['index.php'] = '<?php
echo "hello world\n";';

$p = new Phar('test2.phar', null, 'self.phar');
$p->setStub('<?php Phar::mapPhar();
include \'phar://self.phar/index.php\'; __HALT_COMPILER(); ?>');
$p['index.php'] = '<?php
echo "hello phar world\n";';
$p['test.phar'] = file_get_contents('test.phar');

然而 PHP 只是不想打开它。它不接受以下任何内容,包括:

// Warning: Phar::mapPhar(phar://path/to/test2.phar/test.phar): failed to open
// stream: Invalid argument in phar://path/to/test2.phar/test.phar
include('phar://test2.phar/test.phar');

// Warning: include(phar://test2.phar/test.phar/index.php): failed to open
// stream: phar error: "test.phar/index.php" is not a file in phar "test2.phar"
include('phar://test2.phar/test.phar/index.php');

// Warning: include(phar://test2.phar/phar://test.phar/index.php): failed to
// open stream: phar error: "phar:/test.phar/index.php" is not a file in phar
// "test2.phar"
include('phar://test2.phar/phar://test.phar/index.php');

我知道这个问题的建设性是有限的,因为它可能不适用于 phar-in-phar 但可能我只是错过了如何做到这一点的方法,而我只是没有看到树木的木材。

4

1 回答 1

5

在 PHP 中加载 phar 文件应该使用的函数是Phar::loadPhar例如

Phar::loadPhar("test2.phar", "test2");

将通过别名 test2 加载和访问 phar 文件 test2.phar,因此您可以通过执行以下操作包含其中的文件:

include ('phar://test2/index.php');

但是,如果该文件位于 phar 本身内,这似乎不起作用。loadPhar 的 PHP 代码是:

fp = php_stream_open_wrapper(fname, "rb", IGNORE_URL|STREAM_MUST_SEEK, &actual);

显然 IGNORE_URL 标志使文件无法打开。

有一种解决方法 - 将包含在另一个 phar 中的 phar 文件提取到一个临时文件中,然后显然可以毫无问题地加载它。以下代码将提取包含在第二个 phar 文件中的 phar 文件 (phar1.phar),然后调用 loadPhar。

function extractAndLoadPhar(){

    $tempFilename =  tempnam( sys_get_temp_dir() , "phar");

    $readHandle = fopen("phar://phar2/phar1.phar", "r");
    $writeHandle =  fopen($tempFilename, "w");

    while (!feof($readHandle)) {
        $result = fread($readHandle, 512);
        fwrite($writeHandle, $result);
    }

    fclose($readHandle);
    fclose($writeHandle);

    $result = Phar::loadPhar($tempFilename, "phar1");
}

extractAndLoadPhar(); //Extract and load the phar
include ('phar://phar1/src1.php'); //It can now be referenced by 'phar1'

我在此处放置了此代码的工作副本https://github.com/Danack/pharhar创建了一个 phar,将其嵌入到第二个 phar 中,然后从第二个 phar 中的第一个 phar 加载并调用一个函数。

需要注意的是 - 我不相信这种技术是一个好主意。每个 phar 文件的存根文件似乎有些模棱两可(也就是我不明白)。即它们是否都被加载,或者它只是最外层的phar文件,它的存根加载并运行。

于 2012-11-24T00:51:15.063 回答